dotnet add package Azure.Security.KeyVault.Secrets --version 4.8.0
NuGet\Install-Package Azure.Security.KeyVault.Secrets -Version 4.8.0
<PackageReference Include="Azure.Security.KeyVault.Secrets" Version="4.8.0" />
<PackageVersion Include="Azure.Security.KeyVault.Secrets" Version="4.8.0" />
<PackageReference Include="Azure.Security.KeyVault.Secrets" />
paket add Azure.Security.KeyVault.Secrets --version 4.8.0
#r "nuget: Azure.Security.KeyVault.Secrets, 4.8.0"
#:package Azure.Security.KeyVault.Secrets@4.8.0
#addin nuget:?package=Azure.Security.KeyVault.Secrets&version=4.8.0
#tool nuget:?package=Azure.Security.KeyVault.Secrets&version=4.8.0
Azure Key Vault is a cloud service that provides a secure storage of secrets, such as passwords and database connection strings.
The Azure Key Vault secrets client library allows you to securely store and control the access to tokens, passwords, API keys, and other secrets. This library offers operations to create, retrieve, update, delete, purge, backup, restore, and list the secrets and its versions.
Source code | Package (NuGet) | API reference documentation | Product documentation | Samples | Migration guide
Install the Azure Key Vault secrets client library for .NET with NuGet:
dotnet add package Azure.Security.KeyVault.Secrets
If you use the Azure CLI, replace <your-resource-group-name>
and <your-key-vault-name>
with your own, unique names:
az keyvault create --resource-group <your-resource-group-name> --name <your-key-vault-name>
In order to interact with the Azure Key Vault service, you'll need to create an instance of the SecretClient class. You need a vault url, which you may see as "DNS Name" in the portal, and credentials to instantiate a client object.
The examples shown below use a DefaultAzureCredential
, which is appropriate for most scenarios including local development and production environments.
Additionally, we recommend using a managed identity for authentication in production environments.
You can find more information on different ways of authenticating and their corresponding credential types in the Azure Identity documentation.
To use the DefaultAzureCredential
provider shown below,
or other credential providers provided with the Azure SDK, you must first install the Azure.Identity package:
dotnet add package Azure.Identity
Instantiate a DefaultAzureCredential
to pass to the client.
The same instance of a token credential can be used with multiple clients if they will be authenticating with the same identity.
// Create a new secret client using the default credential from Azure.Identity using environment variables previously set,
// including AZURE_CLIENT_ID, AZURE_CLIENT_SECRET, and AZURE_TENANT_ID.
var client = new SecretClient(vaultUri: new Uri(vaultUrl), credential: new DefaultAzureCredential());
// Create a new secret using the secret client.
KeyVaultSecret secret = client.SetSecret("secret-name", "secret-value");
// Retrieve a secret using the secret client.
secret = client.GetSecret("secret-name");
A KeyVaultSecret
is the fundamental resource within Azure Key Vault. From a developer's perspective, Azure Key Vault APIs accept and return secret values as strings.
A SecretClient
provides both synchronous and asynchronous operations in the SDK allowing for selection of a client based on an application's use case.
Once you've initialized a SecretClient
, you can interact with secrets in Azure Key Vault.
We guarantee that all client instance methods are thread-safe and independent of each other (guideline). This ensures that the recommendation of reusing client instances is always safe, even across threads.
Client options | Accessing the response | Long-running operations | Handling failures | Diagnostics | Mocking | Client lifetime
The Azure.Security.KeyVault.Secrets package supports synchronous and asynchronous APIs.
The following section provides several code snippets using the client
created above, covering some of the most common Azure Key Vault secret service related tasks:
SetSecret
creates a KeyVaultSecret
to be stored in the Azure Key Vault. If a secret with the same name already exists, then a new version of the secret is created.
KeyVaultSecret secret = client.SetSecret("secret-name", "secret-value");
Console.WriteLine(secret.Name);
Console.WriteLine(secret.Value);
Console.WriteLine(secret.Properties.Version);
Console.WriteLine(secret.Properties.Enabled);
GetSecret
retrieves a secret previously stored in the Azure Key Vault.
KeyVaultSecret secret = client.GetSecret("secret-name");
Console.WriteLine(secret.Name);
Console.WriteLine(secret.Value);
UpdateSecretProperties
updates a secret previously stored in the Azure Key Vault. Only the attributes of the secret are updated. To update the value, call SecretClient.SetSecret
on a secret with the same name.
KeyVaultSecret secret = client.GetSecret("secret-name");
// Clients may specify the content type of a secret to assist in interpreting the secret data when its retrieved.
secret.Properties.ContentType = "text/plain";
// You can specify additional application-specific metadata in the form of tags.
secret.Properties.Tags["foo"] = "updated tag";
SecretProperties updatedSecretProperties = client.UpdateSecretProperties(secret.Properties);
Console.WriteLine(updatedSecretProperties.Name);
Console.WriteLine(updatedSecretProperties.Version);
Console.WriteLine(updatedSecretProperties.ContentType);
StartDeleteSecret
starts a long-running operation to delete a secret previously stored in the Azure Key Vault.
You can retrieve the secret immediately without waiting for the operation to complete.
When soft-delete is not enabled for the Azure Key Vault, this operation permanently deletes the secret.
DeleteSecretOperation operation = client.StartDeleteSecret("secret-name");
DeletedSecret secret = operation.Value;
Console.WriteLine(secret.Name);
Console.WriteLine(secret.Value);
You will need to wait for the long-running operation to complete before trying to purge or recover the secret.
You can do this by calling UpdateStatus
in a loop as shown below:
DeleteSecretOperation operation = client.StartDeleteSecret("secret-name");
// You only need to wait for completion if you want to purge or recover the secret.
// You should call `UpdateStatus` in another thread or after doing additional work like pumping messages.
while (!operation.HasCompleted)
{
Thread.Sleep(2000);
operation.UpdateStatus();
}
DeletedSecret secret = operation.Value;
client.PurgeDeletedSecret(secret.Name);
This example lists all the secrets in the specified Azure Key Vault. The value is not returned when listing all secrets. You will need to call SecretClient.GetSecret
to retrieve the value.
Pageable<SecretProperties> allSecrets = client.GetPropertiesOfSecrets();
foreach (SecretProperties secretProperties in allSecrets)
{
Console.WriteLine(secretProperties.Name);
}
The asynchronous APIs are identical to their synchronous counterparts, but return with the typical "Async" suffix for asynchronous methods and return a Task
.
This example creates a secret in the Azure Key Vault with the specified optional arguments.
KeyVaultSecret secret = await client.SetSecretAsync("secret-name", "secret-value");
Console.WriteLine(secret.Name);
Console.WriteLine(secret.Value);
Listing secrets does not rely on awaiting the GetPropertiesOfSecretsAsync
method, but returns an AsyncPageable<SecretProperties>
that you can use with the await foreach
statement:
AsyncPageable<SecretProperties> allSecrets = client.GetPropertiesOfSecretsAsync();
await foreach (SecretProperties secretProperties in allSecrets)
{
Console.WriteLine(secretProperties.Name);
}
When deleting a secret asynchronously before you purge it, you can await the WaitForCompletionAsync
method on the operation.
By default, this loops indefinitely but you can cancel it by passing a CancellationToken
.
DeleteSecretOperation operation = await client.StartDeleteSecretAsync("secret-name");
// You only need to wait for completion if you want to purge or recover the secret.
await operation.WaitForCompletionAsync();
DeletedSecret secret = operation.Value;
await client.PurgeDeletedSecretAsync(secret.Name);
See our troubleshooting guide for details on how to diagnose various failure scenarios.
When you interact with the Azure Key Vault secret client library using the .NET SDK, errors returned by the service correspond to the same HTTP status codes returned for REST API requests.
For example, if you try to retrieve a secret that doesn't exist in your Azure Key Vault, a 404
error is returned, indicating Not Found
.
try
{
KeyVaultSecret secret = client.GetSecret("some_secret");
}
catch (RequestFailedException ex)
{
Console.WriteLine(ex.ToString());
}
You will notice that additional information is logged, like the Client Request ID of the operation.
Message:
Azure.RequestFailedException : Service request failed.
Status: 404 (Not Found)
Content:
{"error":{"code":"SecretNotFound","message":"Secret not found: some_secret"}}
Headers:
Cache-Control: no-cache
Pragma: no-cache
Server: Microsoft-IIS/10.0
x-ms-keyvault-region: westus
x-ms-request-id: 625f870e-10ea-41e5-8380-282e5cf768f2
x-ms-keyvault-service-version: 1.1.0.866
x-ms-keyvault-network-info: addr=131.107.174.199;act_addr_fam=InterNetwork;
X-AspNet-Version: 4.0.30319
X-Powered-By: ASP.NET
Strict-Transport-Security: max-age=31536000;includeSubDomains
X-Content-Type-Options: nosniff
Date: Tue, 18 Jun 2019 16:02:11 GMT
Content-Length: 75
Content-Type: application/json; charset=utf-8
Expires: -1
Several Azure Key Vault secrets client library samples are available to you in this GitHub repository. These samples provide example code for additional scenarios commonly encountered while working with Azure Key Vault:
Sample1_HelloWorld.md - for working with Azure Key Vault, including:
Sample2_BackupAndRestore.md - contains the code snippets working with Azure Key Vault secrets, including:
Sample3_GetSecrets.md - example code for working with Azure Key Vault secrets, including:
See the CONTRIBUTING.md for details on building, testing, and contributing to these libraries.
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 repos 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 net5.0 was computed. net5.0-windows net5.0-windows was computed. net6.0 net6.0 was computed. net6.0-android net6.0-android was computed. net6.0-ios net6.0-ios was computed. net6.0-maccatalyst net6.0-maccatalyst was computed. net6.0-macos net6.0-macos was computed. net6.0-tvos net6.0-tvos was computed. net6.0-windows net6.0-windows was computed. net7.0 net7.0 was computed. net7.0-android net7.0-android was computed. net7.0-ios net7.0-ios was computed. net7.0-maccatalyst net7.0-maccatalyst was computed. net7.0-macos net7.0-macos was computed. net7.0-tvos net7.0-tvos was computed. net7.0-windows net7.0-windows was computed. net8.0 net8.0 is compatible. net8.0-android net8.0-android was computed. net8.0-browser net8.0-browser was computed. net8.0-ios net8.0-ios was computed. net8.0-maccatalyst net8.0-maccatalyst was computed. net8.0-macos net8.0-macos was computed. net8.0-tvos net8.0-tvos was computed. net8.0-windows net8.0-windows was computed. net9.0 net9.0 was computed. net9.0-android net9.0-android was computed. net9.0-browser net9.0-browser was computed. net9.0-ios net9.0-ios was computed. net9.0-maccatalyst net9.0-maccatalyst was computed. net9.0-macos net9.0-macos was computed. net9.0-tvos net9.0-tvos was computed. net9.0-windows net9.0-windows was computed. net10.0 net10.0 was computed. net10.0-android net10.0-android was computed. net10.0-browser net10.0-browser was computed. net10.0-ios net10.0-ios was computed. net10.0-maccatalyst net10.0-maccatalyst was computed. net10.0-macos net10.0-macos was computed. net10.0-tvos net10.0-tvos was computed. net10.0-windows net10.0-windows was computed. |
.NET Core | netcoreapp2.0 netcoreapp2.0 was computed. netcoreapp2.1 netcoreapp2.1 was computed. netcoreapp2.2 netcoreapp2.2 was computed. netcoreapp3.0 netcoreapp3.0 was computed. netcoreapp3.1 netcoreapp3.1 was computed. |
.NET Standard | netstandard2.0 netstandard2.0 is compatible. netstandard2.1 netstandard2.1 was computed. |
.NET Framework | net461 net461 was computed. net462 net462 was computed. net463 net463 was computed. net47 net47 was computed. net471 net471 was computed. net472 net472 was computed. net48 net48 was computed. net481 net481 was computed. |
MonoAndroid | monoandroid monoandroid was computed. |
MonoMac | monomac monomac was computed. |
MonoTouch | monotouch monotouch was computed. |
Tizen | tizen40 tizen40 was computed. tizen60 tizen60 was computed. |
Xamarin.iOS | xamarinios xamarinios was computed. |
Xamarin.Mac | xamarinmac xamarinmac was computed. |
Xamarin.TVOS | xamarintvos xamarintvos was computed. |
Xamarin.WatchOS | xamarinwatchos xamarinwatchos was computed. |
Showing the top 5 NuGet packages that depend on Azure.Security.KeyVault.Secrets:
Package | Downloads |
---|---|
Microsoft.Identity.Web.Certificate
This package brings certificate management for MSAL.NET. |
|
Azure.Extensions.AspNetCore.Configuration.Secrets
Azure Key Vault configuration provider implementation for Microsoft.Extensions.Configuration. |
|
Microsoft.Extensions.Configuration.AzureAppConfiguration
Microsoft.Extensions.Configuration.AzureAppConfiguration is a configuration provider for the .NET Core framework that allows developers to use Microsoft Azure App Configuration service as a configuration source in their applications. |
|
Nuke.Common
The AKEless Build System for C#/.NET Signed by signpath.io from repository 'https://github.com/nuke-build/nuke' commit 'a20c3b752d0c9f533a6e2c21fee6325032cd3d70' (see contained AppVeyorSettings.json file for build settings). |
|
AspNetCore.HealthChecks.AzureKeyVault
HealthChecks.AzureKeyVault is the health check package for Azure Key Vault secrets |
Showing the top 20 popular GitHub repositories that depend on Azure.Security.KeyVault.Secrets:
Repository | Stars |
---|---|
duplicati/duplicati
Store securely encrypted backups in the cloud!
|
|
dotnet/aspire
Aspire is the tool for code-first, extensible, observable dev and deploy.
|
|
Xabaril/AspNetCore.Diagnostics.HealthChecks
Enterprise HealthChecks for ASP.NET Core Diagnostics Package
|
|
testcontainers/testcontainers-dotnet
A library to support tests with throwaway instances of Docker containers for all compatible .NET Standard versions.
|
|
nuke-build/nuke
🏗 The AKEless Build System for C#/.NET
|
|
ashmind/SharpLab
.NET language playground
|
|
microsoft/onefuzz
A self-hosted Fuzzing-As-A-Service platform
|
|
Azure/azure-functions-host
The host/runtime that powers Azure Functions
|
|
microsoft/mcp
Catalog of official Microsoft MCP (Model Context Protocol) server implementations for AI-powered data access and tool integration
|
|
enkodellc/blazorboilerplate
Blazor Boilerplate / Starter Template with MudBlazor
|
|
natemcmaster/LettuceEncrypt
Free, automatic HTTPS certificate generation for ASP.NET Core web apps
|
|
NuGet/NuGetGallery
NuGet Gallery is a package repository that powers https://www.nuget.org. Use this repo for reporting NuGet.org issues.
|
|
AzureAD/microsoft-authentication-library-for-dotnet
Microsoft Authentication Library (MSAL) for .NET
|
|
Azure/azure-functions-core-tools
Command line tools for Azure Functions
|
|
Azure/azure-mcp
The Azure MCP Server, bringing the power of Azure to your agents.
|
|
microsoft/Oryx
Build your repo automatically.
|
|
AzureAD/microsoft-identity-web
Helps creating protected web apps and web APIs with Microsoft identity platform and Azure AD B2C
|
|
skoruba/Duende.IdentityServer.Admin
The administration for the Duende IdentityServer and Asp.Net Core Identity ⚡
|
|
chummer5a/chummer5a
Character generator for Shadowrun 5th edition
|
|
thomhurst/ModularPipelines
Write your pipelines in C# !
|
Version | Downloads | Last Updated | |
---|---|---|---|
4.8.0 | 4,671,345 | 6/17/2025 | |
4.8.0-beta.1 | 54,096 | 4/9/2025 | |
4.7.0 | 23,277,132 | 10/15/2024 | |
4.6.0 | 94,171,888 | 2/15/2024 | |
4.6.0-beta.2 | 100,148 | 11/13/2023 | |
4.6.0-beta.1 | 3,956 | 11/10/2023 | |
4.5.0 | 48,167,614 | 3/14/2023 | |
4.5.0-beta.1 | 225,460 | 11/9/2022 | |
4.4.0 | 15,558,784 | 9/20/2022 | |
4.3.0 | 50,473,088 | 3/26/2022 | |
4.3.0-beta.4 | 104,044 | 1/13/2022 | |
4.3.0-beta.2 | 84,395 | 10/14/2021 | |
4.3.0-beta.1 | 236,225 | 8/11/2021 | |
4.2.0 | 70,943,057 | 6/16/2021 | |
4.2.0-beta.5 | 55,451 | 5/12/2021 | |
4.2.0-beta.4 | 284,873 | 2/11/2021 | |
4.2.0-beta.3 | 178,196 | 11/13/2020 | |
4.2.0-beta.2 | 9,555 | 10/7/2020 | |
4.2.0-beta.1 | 33,839 | 9/9/2020 | |
4.1.0 | 78,452,051 | 8/12/2020 | |
4.1.0-preview.1 | 125,007 | 3/10/2020 | |
4.0.3 | 7,989,411 | 4/4/2020 | |
4.0.2 | 12,433,692 | 3/4/2020 | |
4.0.1 | 37,611,503 | 1/9/2020 | |
4.0.0 | 2,474,861 | 10/31/2019 | |
4.0.0-preview.5 | 2,685 | 10/8/2019 | |
4.0.0-preview.4 | 1,338 | 9/11/2019 | |
4.0.0-preview.3 | 3,391 | 8/9/2019 | |
4.0.0-preview.2 | 675 | 8/6/2019 | |
4.0.0-preview.1 | 1,609 | 6/28/2019 |