Azure.ResourceManager
1.1.0
Prefix Reserved
See the version list below for details.
dotnet add package Azure.ResourceManager --version 1.1.0
NuGet\Install-Package Azure.ResourceManager -Version 1.1.0
<PackageReference Include="Azure.ResourceManager" Version="1.1.0" />
paket add Azure.ResourceManager --version 1.1.0
#r "nuget: Azure.ResourceManager, 1.1.0"
// Install Azure.ResourceManager as a Cake Addin #addin nuget:?package=Azure.ResourceManager&version=1.1.0 // Install Azure.ResourceManager as a Cake Tool #tool nuget:?package=Azure.ResourceManager&version=1.1.0
Azure ResourceManager client library for .NET
This package follows the new Azure SDK guidelines, which provide core capabilities that are shared amongst all Azure SDKs, including:
- The intuitive Azure Identity library.
- An HTTP pipeline with custom policies.
- Error handling.
- Distributed tracing.
Getting started
Install the package
Install the Azure Resources management core library for .NET with NuGet:
dotnet add package Azure.ResourceManager
Prerequisites
Set up a way to authenticate to Azure with Azure Identity.
Some options are:
- Through the Azure CLI Login.
- Via Visual Studio.
- Setting Environment Variables.
More information and different authentication approaches using Azure Identity can be found in this document.
Authenticate the Client
The default option to create an authenticated client is to use DefaultAzureCredential
. Since all management APIs go through the same endpoint, in order to interact with resources, only one top-level ArmClient
has to be created.
To authenticate to Azure and create an ArmClient
, do the following:
using System;
using System.Threading.Tasks;
using Azure.Core;
using Azure.Identity;
using Azure.ResourceManager;
using Azure.ResourceManager.Compute;
using Azure.ResourceManager.Resources;
// Code omitted for brevity
ArmClient client = new ArmClient(new DefaultAzureCredential());
Additional documentation for the Azure.Identity.DefaultAzureCredential
class can be found in this document.
Key concepts
Understanding Azure Resource Hierarchy
To reduce both the number of clients needed to perform common tasks and the amount of redundant parameters that each of those clients take, we have introduced an object hierarchy in the SDK that mimics the object hierarchy in Azure. Each resource client in the SDK has methods to access the resource clients of its children that is already scoped to the proper subscription and resource group.
To accomplish this, we're introducing 3 standard types for all resources in Azure:
[Resource]Resource.cs
This represents a full resource client object which contains a Data property exposing the details as a [Resource]Data type. It also has access to all of the operations on that resource without needing to pass in scope parameters such as subscription ID or resource name. This makes it very convenient to directly execute operations on the result of list calls since everything is returned as a full resource client now.
ArmClient client = new ArmClient(new DefaultAzureCredential());
string resourceGroupName = "myResourceGroup";
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(resourceGroupName);
await foreach (VirtualMachineResource virtualMachine in resourceGroup.GetVirtualMachines())
{
//previously we would have to take the resourceGroupName and the vmName from the vm object
//and pass those into the powerOff method as well as we would need to execute that on a separate compute client
await virtualMachine.PowerOffAsync(WaitUntil.Completed);
}
[Resource]Data.cs
This represents the model that makes up a given resource. Typically, this is the response data from a service call such as HTTP GET and provides details about the underlying resource. Previously, this was represented by a Model class.
[Resource]Collection.cs
This represents the operations you can perform on a collection of resources belonging to a specific parent resource. This object provides most of the logical collection operations.
Collection Behavior | Collection Method |
---|---|
Iterate/List | GetAll() |
Index | Get(string name) |
Add | CreateOrUpdate(string name, [Resource]Data data) |
Contains | Exists(string name) |
For most things, the parent will be a ResourceGroup. However, each parent / child relationship is represented this way. For example, a Subnet is a child of a VirtualNetwork and a ResourceGroup is a child of a Subscription.
Putting it all together
Imagine that our company requires all virtual machines to be tagged with the owner. We're tasked with writing a program to add the tag to any missing virtual machines in a given resource group.
// First we construct our client
ArmClient client = new ArmClient(new DefaultAzureCredential());
// Next we get a resource group object
// ResourceGroupResource is a [Resource] object from above
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync("myRgName");
// Next we get the collection for the virtual machines
// vmCollection is a [Resource]Collection object from above
VirtualMachineCollection virtualMachines = resourceGroup.GetVirtualMachines();
// Next we loop over all vms in the collection
// Each vm is a [Resource] object from above
await foreach (VirtualMachineResource virtualMachine in virtualMachines)
{
// We access the [Resource]Data properties from vm.Data
if (!virtualMachine.Data.Tags.ContainsKey("owner"))
{
// We can also access all operations from vm since it is already scoped for us
await virtualMachine.AddTagAsync("owner", "tagValue");
}
}
Structured Resource Identifier
Resource IDs contain useful information about the resource itself, but they are plain strings that have to be parsed. Instead of implementing your own parsing logic, you can use a ResourceIdentifier
object which will do the parsing for you: new ResourceIdentifer("myid");
.
Example: Parsing an ID using a ResourceIdentifier object
ResourceIdentifier id = new ResourceIdentifier("/subscriptions/aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee/resourceGroups/workshop2021-rg/providers/Microsoft.Network/virtualNetworks/myVnet/subnets/mySubnet");
Console.WriteLine($"Subscription: {id.SubscriptionId}");
Console.WriteLine($"ResourceGroupResource: {id.ResourceGroupName}");
Console.WriteLine($"Vnet: {id.Parent.Name}");
Console.WriteLine($"Subnet: {id.Name}");
Managing Existing Resources By Id
Performing operations on resources that already exist is a common use case when using the management client libraries. In this scenario you usually have the identifier of the resource you want to work on as a string. Although the new object hierarchy is great for provisioning and working within the scope of a given parent, it is not the most efficient when it comes to this specific scenario.
Here is an example how you can access an AvailabilitySet
object and manage it directly with its id:
ResourceIdentifier id = new ResourceIdentifier("/subscriptions/aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee/resourceGroups/workshop2021-rg/providers/Microsoft.Compute/availabilitySets/ws2021availSet");
// We construct a new client to work with
ArmClient client = new ArmClient(new DefaultAzureCredential());
// Next we get the collection of subscriptions
SubscriptionCollection subscriptions = client.GetSubscriptions();
// Next we get the specific subscription this resource belongs to
SubscriptionResource subscription = await subscriptions.GetAsync(id.SubscriptionId);
// Next we get the collection of resource groups that belong to that subscription
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
// Next we get the specific resource group this resource belongs to
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(id.ResourceGroupName);
// Next we get the collection of availability sets that belong to that resource group
AvailabilitySetCollection availabilitySets = resourceGroup.GetAvailabilitySets();
// Finally we get the resource itself
// Note: for this last step in this example, Azure.ResourceManager.Compute is needed
AvailabilitySetResource availabilitySet = await availabilitySets.GetAsync(id.Name);
This approach required a lot of code and 3 API calls to Azure. The same can be done with less code and without any API calls by using extension methods that we have provided on the client itself. These extension methods allow you to pass in a resource identifier and retrieve a scoped resource client. The object returned is a [Resource] mentioned above, since it has not reached out to Azure to retrieve the data yet the Data property will be null.
So, the previous example would end up looking like this:
ResourceIdentifier resourceId = new ResourceIdentifier("/subscriptions/aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee/resourceGroups/workshop2021-rg/providers/Microsoft.Compute/availabilitySets/ws2021availSet");
// We construct a new client to work with
ArmClient client = new ArmClient(new DefaultAzureCredential());
// Next we get the AvailabilitySetResource resource client from the client
// The method takes in a ResourceIdentifier but we can use the implicit cast from string
AvailabilitySetResource availabilitySet = client.GetAvailabilitySetResource(resourceId);
// At this point availabilitySet.Data will be null and trying to access it will throw
// If we want to retrieve the objects data we can simply call get
availabilitySet = await availabilitySet.GetAsync();
// we now have the data representing the availabilitySet
Console.WriteLine(availabilitySet.Data.Name);
We also provide an option that if you only know the pieces that make up the ResourceIdentifier
each resource provides a static method to construct the full string from those pieces.
The above example would then look like this.
string subscriptionId = "aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee";
string resourceGroupName = "workshop2021-rg";
string availabilitySetName = "ws2021availSet";
ResourceIdentifier resourceId = AvailabilitySetResource.CreateResourceIdentifier(subscriptionId, resourceGroupName, availabilitySetName);
// We construct a new client to work with
ArmClient client = new ArmClient(new DefaultAzureCredential());
// Next we get the AvailabilitySetResource resource client from the client
// The method takes in a ResourceIdentifier but we can use the implicit cast from string
AvailabilitySetResource availabilitySet = client.GetAvailabilitySetResource(resourceId);
// At this point availabilitySet.Data will be null and trying to access it will throw
// If we want to retrieve the objects data we can simply call get
availabilitySet = await availabilitySet.GetAsync();
// we now have the data representing the availabilitySet
Console.WriteLine(availabilitySet.Data.Name);
Check if a [Resource] exists
If you are not sure if a resource you want to get exists, or you just want to check if it exists, you can use Exists()
method, which can be invoked from any [Resource]Collection class.
Exists()
and ExistsAsync()
return Response<bool>
where the bool will be false if the specified resource does not exist. Both of these methods still give you access to the underlying raw response.
Before these methods were introduced you would need to catch the RequestFailedException
and inspect the status code for 404.
ArmClient client = new ArmClient(new DefaultAzureCredential());
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
string resourceGroupName = "myRgName";
try
{
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(resourceGroupName);
// At this point, we are sure that myRG is a not null Resource Group, so we can use this object to perform any operations we want.
}
catch (RequestFailedException ex) when (ex.Status == 404)
{
Console.WriteLine($"Resource Group {resourceGroupName} does not exist.");
}
Now with these convenience methods we can simply do the following.
ArmClient client = new ArmClient(new DefaultAzureCredential());
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
string resourceGroupName = "myRgName";
bool exists = await resourceGroups.ExistsAsync(resourceGroupName);
if (exists)
{
Console.WriteLine($"Resource Group {resourceGroupName} exists.");
// We can get the resource group now that we know it exists.
// This does introduce a small race condition where resource group could have been deleted between the check and the get.
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(resourceGroupName);
}
else
{
Console.WriteLine($"Resource Group {resourceGroupName} does not exist.");
}
Examples
Create a resource group
// First, initialize the ArmClient and get the default subscription
ArmClient client = new ArmClient(new DefaultAzureCredential());
// Now we get a ResourceGroupResource collection for that subscription
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
// With the collection, we can create a new resource group with an specific name
string resourceGroupName = "myRgName";
AzureLocation location = AzureLocation.WestUS2;
ResourceGroupData resourceGroupData = new ResourceGroupData(location);
ArmOperation<ResourceGroupResource> operation = await resourceGroups.CreateOrUpdateAsync(WaitUntil.Completed, resourceGroupName, resourceGroupData);
ResourceGroupResource resourceGroup = operation.Value;
List all resource groups
// First, initialize the ArmClient and get the default subscription
ArmClient client = new ArmClient(new DefaultAzureCredential());
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
// Now we get a ResourceGroupResource collection for that subscription
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
// We can then iterate over this collection to get the resources in the collection
await foreach (ResourceGroupResource resourceGroup in resourceGroups)
{
Console.WriteLine(resourceGroup.Data.Name);
}
Update a resource group
// Note: Resource group named 'myRgName' should exist for this example to work.
ArmClient client = new ArmClient(new DefaultAzureCredential());
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
string resourceGroupName = "myRgName";
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(resourceGroupName);
resourceGroup = await resourceGroup.AddTagAsync("key", "value");
Delete a resource group
ArmClient client = new ArmClient(new DefaultAzureCredential());
SubscriptionResource subscription = await client.GetDefaultSubscriptionAsync();
ResourceGroupCollection resourceGroups = subscription.GetResourceGroups();
string resourceGroupName = "myRgName";
ResourceGroupResource resourceGroup = await resourceGroups.GetAsync(resourceGroupName);
await resourceGroup.DeleteAsync(WaitUntil.Completed);
For more detailed examples, take a look at samples we have available.
Azure ResourceManager Tests
To run test: dotnet test
To run test with code coverage and auto generate an html report: dotnet test /p:CollectCoverage=true /p:CoverletOutputFormat=cobertura
Coverage report will be placed in your path relative to azure-proto-core-test in/coverage
in html format for viewing
Reports can also be viewed VS or VsCode with the proper viewer plugin
A terse report will also be displayed on the command line when running.
run test with single file or test
To run test with code coverage and auto generate an html report with just a single test: dotnet test /p:CollectCoverage=true /p:CoverletOutputFormat=cobertura --filter <test-to-run>
Troubleshooting
- If you find a bug or have a suggestion, file an issue via GitHub issues and make sure you add the "Mgmt" label to the issue.
- If you need help, check previous questions or ask new ones on StackOverflow using azure and .NET tags.
- If having trouble with authentication, go to DefaultAzureCredential documentation.
Next steps
More sample code
Additional Documentation
If you are migrating from the old SDK, check out this Migration guide.
For more information on Azure SDK, please refer to this website.
Contributing
For details on contributing to this repository, see the contributing guide.
This project welcomes contributions and suggestions. Most contributions require you to agree to a Contributor License Agreement (CLA) declaring that you have the right to, and actually do, grant us the rights to use your contribution. For details, visit https://cla.microsoft.com.
When you submit a pull request, a CLA-bot will automatically determine whether you need to provide a CLA and decorate the PR appropriately (e.g., label, comment). Simply follow the instructions provided by the bot. You will only need to do this once across all repositories using our CLA.
This project has adopted the Microsoft Open Source Code of Conduct. For more information see the Code of Conduct FAQ or contact opencode@microsoft.com with any additional questions or comments.
Product | Versions Compatible and additional computed target framework versions. |
---|---|
.NET | net5.0 was computed. net5.0-windows was computed. net6.0 was computed. net6.0-android was computed. net6.0-ios was computed. net6.0-maccatalyst was computed. net6.0-macos was computed. net6.0-tvos was computed. net6.0-windows was computed. net7.0 was computed. net7.0-android was computed. net7.0-ios was computed. net7.0-maccatalyst was computed. net7.0-macos was computed. net7.0-tvos was computed. net7.0-windows was computed. net8.0 was computed. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. |
.NET Core | netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 was computed. netcoreapp3.1 was computed. |
.NET Standard | netstandard2.0 is compatible. netstandard2.1 was computed. |
.NET Framework | net461 was computed. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. |
MonoAndroid | monoandroid was computed. |
MonoMac | monomac was computed. |
MonoTouch | monotouch was computed. |
Tizen | tizen40 was computed. tizen60 was computed. |
Xamarin.iOS | xamarinios was computed. |
Xamarin.Mac | xamarinmac was computed. |
Xamarin.TVOS | xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETStandard 2.0
- Azure.Core (>= 1.24.0)
- System.Text.Json (>= 4.7.2)
NuGet packages (208)
Showing the top 5 NuGet packages that depend on Azure.ResourceManager:
Package | Downloads |
---|---|
Azure.ResourceManager.Storage
Microsoft Azure management client SDK for Azure resource provider Microsoft.Storage. |
|
Azure.ResourceManager.Resources
Microsoft Azure Resource Manager client SDK for Azure resource provider Resources. |
|
Azure.ResourceManager.Network
Microsoft Azure management client SDK for Azure resource provider Microsoft.Network. |
|
Azure.ResourceManager.Compute
Microsoft Azure management client SDK for Azure resource provider Microsoft.Compute. |
|
Azure.ResourceManager.KeyVault
Microsoft Azure management client SDK for Azure resource provider Microsoft.KeyVault. |
GitHub repositories (12)
Showing the top 5 popular GitHub repositories that depend on Azure.ResourceManager:
Repository | Stars |
---|---|
elsa-workflows/elsa-core
A .NET workflows library
|
|
Azure/azure-sdk-for-net
This repository is for active development of the Azure SDK for .NET. For consumers of the SDK we recommend visiting our public developer docs at https://learn.microsoft.com/dotnet/azure/ or our versioned developer docs at https://azure.github.io/azure-sdk-for-net.
|
|
win-acme/win-acme
A simple ACME client for Windows (for use with Let's Encrypt et al.)
|
|
microsoft/onefuzz
A self-hosted Fuzzing-As-A-Service platform
|
|
Azure/Industrial-IoT
Azure Industrial IoT Platform
|
Version | Downloads | Last updated |
---|---|---|
1.13.0 | 424,326 | 8/30/2024 |
1.12.0 | 1,219,001 | 5/7/2024 |
1.12.0-beta.1 | 3,958 | 3/23/2024 |
1.11.1 | 851,468 | 4/23/2024 |
1.11.0 | 987,898 | 3/22/2024 |
1.11.0-beta.1 | 2,911 | 1/12/2024 |
1.10.2 | 231,229 | 3/1/2024 |
1.10.1 | 331,427 | 1/26/2024 |
1.10.0 | 294,784 | 1/11/2024 |
1.9.0 | 1,992,587 | 11/16/2023 |
1.8.0 | 69,855 | 11/1/2023 |
1.8.0-beta.1 | 13,144 | 8/10/2023 |
1.7.0 | 1,025,483 | 7/13/2023 |
1.6.0 | 1,044,617 | 5/16/2023 |
1.5.0 | 77,028 | 4/27/2023 |
1.4.0 | 3,305,740 | 2/10/2023 |
1.3.2 | 1,230,044 | 11/11/2022 |
1.3.1 | 1,267,274 | 8/18/2022 |
1.3.0 | 476,840 | 8/9/2022 |
1.2.1 | 19,254 | 7/26/2022 |
1.2.0 | 1,253,948 | 7/11/2022 |
1.1.2 | 18,255 | 7/1/2022 |
1.1.1 | 23,628 | 6/23/2022 |
1.1.0 | 39,001 | 6/8/2022 |
1.0.0 | 261,393 | 4/7/2022 |
1.0.0-beta.9 | 5,903 | 3/31/2022 |
1.0.0-beta.8 | 68,151 | 1/29/2022 |
1.0.0-beta.7 | 84,613 | 12/24/2021 |
1.0.0-beta.6 | 295,303 | 12/1/2021 |
1.0.0-beta.5 | 62,538 | 10/28/2021 |
1.0.0-beta.4 | 12,800 | 9/28/2021 |
1.0.0-beta.3 | 68,398 | 9/8/2021 |
1.0.0-beta.2 | 14,978 | 8/31/2021 |
1.0.0-beta.1 | 7,194 | 8/26/2021 |