Tutorial: Use dynamic configuration in an Azure Functions app
The App Configuration .NET configuration provider supports caching and refreshing configuration dynamically driven by application activity. This tutorial shows how you can implement dynamic configuration updates in your code. It builds on the Azure Functions app introduced in the quickstarts. Before you continue, finish Create an Azure functions app with Azure App Configuration first.
In this tutorial, you learn how to:
- Set up your Azure Functions app to update its configuration in response to changes in an App Configuration store.
- Inject the latest configuration to your Azure Functions calls.
Prerequisites
- Azure subscription - create one for free
- Visual Studio with the Azure development workload
- Azure Functions tools, if it's not installed already with Visual Studio.
- Finish quickstart Create an Azure functions app with Azure App Configuration
Reload data from App Configuration
Azure Functions support running in-process or isolated-process. The main difference in App Configuration usage between the two modes is how the configuration is refreshed. In the in-process mode, you must make a call in each function to refresh the configuration. In the isolated-process mode, there is support for middleware. The App Configuration middleware, Microsoft.Azure.AppConfiguration.Functions.Worker
, enables the call to refresh configuration automatically before each function is executed.
Update the code that connects to App Configuration and add the data refreshing conditions.
Open Startup.cs, and update the
ConfigureAppConfiguration
method.public override void ConfigureAppConfiguration(IFunctionsConfigurationBuilder builder) { builder.ConfigurationBuilder.AddAzureAppConfiguration(options => { options.Connect(Environment.GetEnvironmentVariable("ConnectionString")) // Load all keys that start with `TestApp:` and have no label .Select("TestApp:*") // Configure to reload configuration if the registered sentinel key is modified .ConfigureRefresh(refreshOptions => refreshOptions.Register("TestApp:Settings:Sentinel", refreshAll: true)); }); }
The
ConfigureRefresh
method registers a setting to be checked for changes whenever a refresh is triggered within the application. TherefreshAll
parameter instructs the App Configuration provider to reload the entire configuration whenever a change is detected in the registered setting.All settings registered for refresh have a default cache expiration of 30 seconds before a new refresh is attempted. It can be updated by calling the
AzureAppConfigurationRefreshOptions.SetCacheExpiration
method.Tip
When you are updating multiple key-values in App Configuration, you normally don't want your application to reload configuration before all changes are made. You can register a sentinel key and update it only when all other configuration changes are completed. This helps to ensure the consistency of configuration in your application.
You may also do the following to minimize the risk of inconsistencies:
- Design your application to be tolerable for transient configuration inconsistency
- Warm-up your application before bringing it online (serving requests)
- Carry default configuration in your application and use it when configuration validation fails
- Choose a configuration update strategy that minimizes the impact to your application, for example, a low traffic timing.
Update the
Configure
method to make Azure App Configuration services available through dependency injection.public override void Configure(IFunctionsHostBuilder builder) { builder.Services.AddAzureAppConfiguration(); }
Open Function1.cs, and add the following namespaces.
using System.Linq; using Microsoft.Extensions.Configuration.AzureAppConfiguration;
Update the constructor to obtain the instance of
IConfigurationRefresherProvider
through dependency injection, from which you can obtain the instance ofIConfigurationRefresher
.private readonly IConfiguration _configuration; private readonly IConfigurationRefresher _configurationRefresher; public Function1(IConfiguration configuration, IConfigurationRefresherProvider refresherProvider) { _configuration = configuration; _configurationRefresher = refresherProvider.Refreshers.First(); }
Update the
Run
method and signal to refresh the configuration using theTryRefreshAsync
method at the beginning of the Functions call. It will be a no-op if the cache expiration time window isn't reached. Remove theawait
operator if you prefer the configuration to be refreshed without blocking the current Functions call. In that case, later Functions calls will get updated value.public async Task<IActionResult> Run( [HttpTrigger(AuthorizationLevel.Anonymous, "get", "post", Route = null)] HttpRequest req, ILogger log) { log.LogInformation("C# HTTP trigger function processed a request."); await _configurationRefresher.TryRefreshAsync(); string keyName = "TestApp:Settings:Message"; string message = _configuration[keyName]; return message != null ? (ActionResult)new OkObjectResult(message) : new BadRequestObjectResult($"Please create a key-value with the key '{keyName}' in App Configuration."); }
Test the function locally
Set an environment variable named ConnectionString, and set it to the access key to your app configuration store. If you use the Windows command prompt, run the following command and restart the command prompt to allow the change to take effect:
setx ConnectionString "connection-string-of-your-app-configuration-store"
If you use Windows PowerShell, run the following command:
$Env:ConnectionString = "connection-string-of-your-app-configuration-store"
If you use macOS or Linux, run the following command:
export ConnectionString='connection-string-of-your-app-configuration-store'
To test your function, press F5. If prompted, accept the request from Visual Studio to download and install Azure Functions Core (CLI) tools. You might also need to enable a firewall exception so that the tools can handle HTTP requests.
Copy the URL of your function from the Azure Functions runtime output.
Paste the URL for the HTTP request into your browser's address bar. The following image shows the response in the browser to the local GET request returned by the function.
Sign in to the Azure portal. Select All resources, and select the App Configuration store that you created in the quickstart.
Select Configuration explorer, and update the value of the following key:
Key Value TestApp:Settings:Message Data from Azure App Configuration - Updated Then create the sentinel key or modify its value if it already exists, for example,
Key Value TestApp:Settings:Sentinel v1 Refresh the browser a few times. When the cached setting expires after 30 seconds, the page shows the response of the Functions call with updated value.
Note
The example code used in this tutorial can be downloaded from App Configuration GitHub repo.
Clean up resources
If you don't want to continue using the resources created in this article, delete the resource group you created here to avoid charges.
Important
Deleting a resource group is irreversible. The resource group and all the resources in it are permanently deleted. Ensure that you don't accidentally delete the wrong resource group or resources. If you created the resources for this article inside a resource group that contains other resources you want to keep, delete each resource individually from its respective pane instead of deleting the resource group.
- Sign in to the Azure portal, and select Resource groups.
- In the Filter by name box, enter the name of your resource group.
- In the result list, select the resource group name to see an overview.
- Select Delete resource group.
- You're asked to confirm the deletion of the resource group. Enter the name of your resource group to confirm, and select Delete.
After a few moments, the resource group and all its resources are deleted.
Next steps
In this tutorial, you enabled your Azure Functions app to dynamically refresh configuration settings from App Configuration. To learn how to use an Azure managed identity to streamline the access to App Configuration, continue to the next tutorial.