Auth0.ManagementApi
8.0.0
Prefix Reserved
dotnet add package Auth0.ManagementApi --version 8.0.0
NuGet\Install-Package Auth0.ManagementApi -Version 8.0.0
<PackageReference Include="Auth0.ManagementApi" Version="8.0.0" />
<PackageVersion Include="Auth0.ManagementApi" Version="8.0.0" />
<PackageReference Include="Auth0.ManagementApi" />
paket add Auth0.ManagementApi --version 8.0.0
#r "nuget: Auth0.ManagementApi, 8.0.0"
#:package Auth0.ManagementApi@8.0.0
#addin nuget:?package=Auth0.ManagementApi&version=8.0.0
#tool nuget:?package=Auth0.ManagementApi&version=8.0.0
📚 Documentation - 🚀 Getting Started - 💻 API Reference - 💬 Feedback
Documentation
- Docs site - explore our docs site and learn more about Auth0.
- Examples - code samples for common scenarios.
Getting started
Requirements
This library supports .NET Standard 2.0 and .NET Framework 4.6.2 as well as later versions of both.
Management API
Installation
Install-Package Auth0.ManagementApi
Usage
The recommended way to use the Management API is with the ManagementClient wrapper, which provides automatic token management and a simpler configuration experience.
Using ManagementClient (Recommended)
The ManagementClient wrapper abstracts token management through an ITokenProvider. Choose the built-in provider that fits your scenario, or implement the interface for full control.
Client credentials (recommended for server-to-server — tokens are acquired and refreshed automatically):
var client = new ManagementClient(new ManagementClientOptions
{
Domain = "YOUR_AUTH0_DOMAIN",
TokenProvider = new ClientCredentialsTokenProvider(
domain: "YOUR_AUTH0_DOMAIN",
clientId: "YOUR_CLIENT_ID",
clientSecret: "YOUR_CLIENT_SECRET"
)
});
// Tokens are automatically acquired and refreshed
var users = await client.Users.GetAllAsync();
Note: The domain is specified twice — once in
ManagementClientOptions(to build the base API URLhttps://{domain}/api/v2) and once inClientCredentialsTokenProvider(to build the token endpoint URLhttps://{domain}/oauth/token). Both must match your Auth0 tenant domain.
Already have a token? Use
ManagementApiClientdirectly:var client = new ManagementApiClient( token: "your-access-token", clientOptions: new ClientOptions { BaseUrl = "https://YOUR_AUTH0_DOMAIN/api/v2" });
Async delegate (retrieve tokens from an external source such as a secret manager):
var client = new ManagementClient(new ManagementClientOptions
{
Domain = "YOUR_AUTH0_DOMAIN",
TokenProvider = new DelegateTokenProvider(ct => secretManager.GetSecretAsync("auth0-token", ct))
});
Additional configuration options:
var client = new ManagementClient(new ManagementClientOptions
{
Domain = "YOUR_AUTH0_DOMAIN",
TokenProvider = new ClientCredentialsTokenProvider(
domain: "YOUR_AUTH0_DOMAIN",
clientId: "YOUR_CLIENT_ID",
clientSecret: "YOUR_CLIENT_SECRET",
audience: "https://custom-audience/" // Optional: defaults to https://{domain}/api/v2/
),
Timeout = TimeSpan.FromSeconds(60), // Optional: request timeout
MaxRetries = 3, // Optional: retry attempts
HttpClient = customHttpClient, // Optional: bring your own HttpClient
AdditionalHeaders = new Dictionary<string, string> // Optional: custom headers
{
{ "X-Custom-Header", "value" }
}
});
Using ManagementApiClient (Alternative)
If you prefer to manage tokens yourself, you can use the ManagementApiClient directly. Generate a token for the API calls you wish to make (see Access Tokens for the Management API):
var client = new ManagementApiClient(
token: "your-access-token",
clientOptions: new ClientOptions { BaseUrl = "https://YOUR_AUTH0_DOMAIN/api/v2" }
);
Making API Calls
The API calls are divided into groups which correlate to the Management API documentation. For example all Connection related methods can be found under the Connections property. So to get a list of all database (Auth0) connections, you can make the following API call:
await client.Connections.GetAllAsync("auth0");
See more examples.
Authentication API
Installation
Install-Package Auth0.AuthenticationApi
Usage
To use the Authentication API, create a new instance of the AuthenticationApiClient class, passing in the URL of your Auth0 instance, e.g.:
var client = new AuthenticationApiClient(new Uri("https://YOUR_AUTH0_DOMAIN"));
Authentication
This library contains URL Builders which will assist you with constructing an authentication URL, but does not actually handle the authentication/authorization flow for you. It is suggested that you refer to the Quickstart tutorials for guidance on how to implement authentication for your specific platform.
Important note on state validation: If you choose to use the AuthorizationUrlBuilder to construct the authorization URL and implement a login flow callback yourself, it is important to generate and store a state value (using WithState) and validate it in your callback URL before exchanging the authorization code for the tokens.
See more examples.
Advanced
Accessing the Raw Response
Access raw HTTP response data (status code, headers, URL) alongside parsed response data using the .WithRawResponse() method.
using Auth0.ManagementApi;
// Access raw response data (status code, headers, etc.) alongside the parsed response
var result = await client.Users.CreateAsync(
new CreateUserRequestContent
{
Email = "user@example.com",
Connection = "Username-Password-Authentication"
}
).WithRawResponse();
// Access the parsed data
var user = result.Data;
// Access raw response metadata
var statusCode = result.RawResponse.StatusCode;
var headers = result.RawResponse.Headers;
var url = result.RawResponse.Url;
// Access specific headers (case-insensitive)
if (headers.TryGetValue("X-Request-Id", out var requestId))
{
Console.WriteLine($"Request ID: {requestId}");
}
// For the default behavior, simply await without .WithRawResponse()
var user = await client.Users.CreateAsync(
new CreateUserRequestContent
{
Email = "user@example.com",
Connection = "Username-Password-Authentication"
}
);
Working with Optional Fields
The SDK uses Optional<T> for fields that need to distinguish between "not set" (undefined) and "explicitly set to null". This is important for PATCH/update operations where you want to:
- Undefined: Don't send this field (leave it unchanged on the server)
- Defined with null: Send null (clear the field on the server)
- Defined with value: Send the value (update the field on the server)
using Auth0.ManagementApi;
using Auth0.ManagementApi.Core;
// Update only the name, leave other fields unchanged
var request = new UpdateUserRequestContent
{
Name = "John Doe" // Will be sent
// Email, PhoneNumber, etc. are Optional<string?>.Undefined by default - won't be sent
};
// Explicitly clear a field by setting it to null
var clearNickname = new UpdateUserRequestContent
{
Nickname = Optional<string?>.Of(null) // Will send null to clear the nickname
};
// Check if a value is defined
if (request.Name.IsDefined)
{
Console.WriteLine($"Name will be updated to: {request.Name.Value}");
}
// Use TryGetValue for safe access
if (request.Email.TryGetValue(out var email))
{
Console.WriteLine($"Email: {email}");
}
else
{
Console.WriteLine("Email is not being updated");
}
Interfaces
The SDK provides interfaces for all clients, enabling dependency injection and testing scenarios:
using Auth0.ManagementApi;
public class UserService
{
private readonly IManagementApiClient _client;
public UserService(IManagementApiClient client)
{
_client = client;
}
public async Task<GetUserResponseContent> GetUserAsync(string userId)
{
return await _client.Users.GetAsync(userId, new GetUserRequestParameters());
}
}
// Register with dependency injection
services.AddSingleton<IManagementApiClient>(provider =>
{
return new ManagementClient(new ManagementClientOptions
{
Domain = "YOUR_AUTH0_DOMAIN",
TokenProvider = new ClientCredentialsTokenProvider(
domain: "YOUR_AUTH0_DOMAIN",
clientId: "YOUR_CLIENT_ID",
clientSecret: "YOUR_CLIENT_SECRET"
)
});
});
Sub-clients also have interfaces (e.g., IUsersClient, IConnectionsClient) for more granular mocking:
// Mock specific sub-clients for unit testing
var mockUsersClient = new Mock<IUsersClient>();
mockUsersClient
.Setup(c => c.GetAsync(It.IsAny<string>(), It.IsAny<GetUserRequestParameters>(), null, default))
.ReturnsAsync(new GetUserResponseContent { UserId = "user_123" });
Feedback
Contributing
We appreciate feedback and contribution to this repo! Before you get started, please see the following:
- Auth0's general contribution guidelines
- Auth0's code of conduct guidelines
- Ensure your commits are signed to enhance security, authorship, trust and compliance. About commit signature verification
Raise an issue
To provide feedback or report a bug, please raise an issue on our issue tracker.
Vulnerability Reporting
Please do not report security vulnerabilities on the public GitHub issue tracker. The Responsible Disclosure Program details the procedure for disclosing security issues.
<p align="center"> <picture> <source media="(prefers-color-scheme: light)" srcset="https://cdn.auth0.com/website/sdks/logos/auth0_light_mode.png" width="150"> <source media="(prefers-color-scheme: dark)" srcset="https://cdn.auth0.com/website/sdks/logos/auth0_dark_mode.png" width="150"> <img alt="Auth0 Logo" src="https://cdn.auth0.com/website/sdks/logos/auth0_light_mode.png" width="150"> </picture> </p> <p align="center">Auth0 is an easy to implement, adaptable authentication and authorization platform. To learn more checkout <a href="https://auth0.com/why-auth0">Why Auth0?</a></p> <p align="center"> This project is licensed under the MIT license. See the <a href="./LICENSE"> LICENSE</a> file for more info.</p>
| 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. net9.0 was computed. net9.0-android was computed. net9.0-browser was computed. net9.0-ios was computed. net9.0-maccatalyst was computed. net9.0-macos was computed. net9.0-tvos was computed. net9.0-windows was computed. net10.0 was computed. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.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 is compatible. 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. |
-
.NETFramework 4.6.2
- Auth0.AuthenticationApi (>= 7.45.1)
- Portable.System.DateTimeOnly (>= 9.0.1)
- System.Net.Http (>= 4.3.4)
- System.Text.Json (>= 9.0.9)
-
.NETStandard 2.0
- Auth0.AuthenticationApi (>= 7.45.1)
- Portable.System.DateTimeOnly (>= 9.0.1)
- System.Net.Http (>= 4.3.4)
- System.Text.Json (>= 9.0.9)
NuGet packages (29)
Showing the top 5 NuGet packages that depend on Auth0.ManagementApi:
| Package | Downloads |
|---|---|
|
Auth0Net.DependencyInjection
Dependency Injection, HttpClientFactory & ASP.NET Core extensions for Auth0.NET |
|
|
Ark.Tools.AspNetCore.Auth0
Extensions of Auth0 for AspNetCore |
|
|
Ark.Tools.AspNetCore
Tools and base classes for AspNetCore as in Ark-way of using it |
|
|
N3O.Umbraco.Authentication.Auth0
TODO |
|
|
Ark.Tools.Auth0
Extensions of Auth0 |
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 8.0.0 | 0 | 4/2/2026 |
| 8.0.0-beta.1 | 122 | 3/2/2026 |
| 8.0.0-beta.0 | 756 | 2/4/2026 |
| 7.46.0 | 7,890 | 3/26/2026 |
| 7.45.1 | 60,466 | 3/5/2026 |
| 7.45.0 | 22,638 | 2/25/2026 |
| 7.44.0 | 116,716 | 1/29/2026 |
| 7.43.1 | 74,509 | 1/15/2026 |
| 7.43.0 | 166,828 | 12/5/2025 |
| 7.42.0 | 334,182 | 10/9/2025 |
| 7.41.0 | 146,217 | 9/15/2025 |
| 7.40.0 | 188,303 | 8/13/2025 |
| 7.39.0 | 423,361 | 7/8/2025 |
| 7.38.0 | 115,023 | 6/23/2025 |
| 7.37.0 | 2,882,058 | 5/30/2025 |
| 7.36.0 | 682,385 | 4/10/2025 |
| 7.35.0 | 143,584 | 3/24/2025 |
| 7.34.0 | 686,887 | 2/19/2025 |
| 7.33.0 | 146,372 | 2/5/2025 |
| 7.32.0 | 525,791 | 1/22/2025 |