Skip to main content

Polly C# Tutorial


Polly C# Tutorial


Polly is an open-source .Net library used to handle retry logic in your application. There may be cases when you might want to retry a service call if it fails due to transient errors. Transient errors include errors like Server currently busy, database not available, Not enough resource to process requests etc.


Polly provides a callback mechanism where you can retry and configure the number of retries that you want to perform until you record the failure.


How to install Polly Nuget package- 

1. dotnet CLI Command - dotnet add package Polly

2. Install the nuget package from Visual Studio - Search for Polly in 'Manage nuget packages'


Retry Call without using Polly - The below implementation does not look pretty to read as it obscures the actual logic to call the service.


private void CallExternalService()

{

      const int RETRY_ATTEMPTS = 3;

      for (int i =0, i<RETRY_ATTEMPTS,i++)

      {

           Thread.Sleep(i * 100);

           CallExternalService();

           //If Call Success => exit the lopp

           break;

       }

       catch(Exception)

       {

            Log(exception);

       }

}


Examples

Retry Forever - The service is called again and again until it succeeds

Policy.Handle<Exception>()

          .RetryForever()

          .Execute(CallExternalService);


Handle only certain exceptions - 

Policy.Handle<IOException>().Or<UnauthorizedAccessException>()

          .RetryForever()

          .Execute(CallExternalService);


Log the error message during retries - 

Policy.Handle<IOException>().Or<UnauthorizedAccessException>()

          .RetryForever(ex => Log(ex))

          .Execute(CallExternalService);


Retry n Times

Policy.Handle<Exception>()

          .Retry(10)

          .Execute(CallExternalService);


Log the error message during retries 

Policy.Handle<Exception>()

          .Retry(10, (e, i)  => Log($"Error '{e.Message}' at retry #{i}"))

          .Execute(CallExternalService);


WaitandRetry

You can specify the timespan collection stating how long you need to wait before each retry. The retry attempts are based on how many items are present in the collection.

Policy.Handle<Exception>()

          .WaitAndRetry(new []

          .{ TimeSpan.FromMilliseconds(100),  TimeSpan.FromMilliseconds(200) })            .Execute(CallExternalService);


Calculate wait times dynamically - 

Policy.Handle<Exception>()

          .WaitAndRetry(5, count => TimeSpan.FromSeconds(count))

          .Execute(CallExternalService);


Calculate wait times dynamically and an infinite number of retries - 

Policy.Handle<Exception>()

          .WaitAndRetry(count => TimeSpan.FromSeconds(count))

          .Execute(CallExternalService);


Real-world Example - 

var httpTask = Policy

      . HandleResult<(TMessageReturned m, int s)>(t => t.m == null &&                                                   serviceRetryConfig.StatusCodesToRetry.Contains(t.s))

      .WaitAndRetryAsync(serviceRetryConfig.MaxRetry,

          i => TimeSpan.FromMilliseconds(serviceRetryConfig.SlidingIntervalInMs),

          onRetry: (result, timespan, retrycount,context) =>

          {

              count++;

          })

       .ExecuteAsync(() => CallExternalService<TMessageSent, TMessageReturned>(messagebody));              

Comments

Popular posts from this blog

How to clear Visual Studio Cache

How to clear visual studio cache Many times, during development you would face situations where project references are not loaded properly or you get missing/error DLL's. This is because the Component cache gets corrupted randomly and without any warnings. The first option that needs to be done is to clear component cache and restart Visual Studio since the Cache might be holding onto previous DLL versions. Here are the steps on how to clear Visual Studio Cache, Clearing Component Cache: Close all Visual Studio Instances running in your machine. Also, make sure devenv.exe is not running in the Task Manager Delete the Component cache directory - %USERPROFILE%\AppData\Local\Microsoft\VisualStudio\1x.0\ComponentModelCache Restart Visual Studio The above steps should fix the cache issue most of the times, but some times that is not enough and you need to perform the below steps as well. Clearing User's Temp Folder: Open the temp folder in this locatio n -  %USERPROFILE%\AppData\Loc...

How to dependency inject to static class

.Net core supports dependency injection. There are many ways that you can inject services like constructor injection, action method injection, property injection. But there will be scenarios where you need to inject dependency services to static classes. For example, injecting services to extension methods. First, create a static class with a one property IServiceProvider type public void ConfigureServices(IServiceCollection services) { services.AddScoped<ILoggerEntry, LoggerEntry>(); services.AddTransient<IMongoRepository, MongoRepository>(); } Second, configure your services in ConfigureServices() method in Startup.cs and define the lifetime of the service instance using either Transient, Scoped or Singleton types. public void ConfigureServices(IServiceCollection services) { services.AddScoped<ILoggerEntry, LoggerEntry>(); services.AddTransient<IMongoRepository, MongoRepository>(); } For the next step to configure the Static class provider proper...

Error NU1605 - Detected package downgrade. Reference the package directly from the project to select a different version.

Error NU1605 - Detected package downgrade This error occurs when a dependency package has a version higher than an existing package version in the project solution. Solution: Add the following in .csproj file < PackageReference > < NoWarn >$( NoWarn ); NU1605 </ NoWarn > </ PackageReference > Another way to do this is to right-click on the solution and  click  Properties . Click  Build  and under  Errors and warnings  add 1605 to the  SuppressWarnings  text box. You can also add multiple error codes that you want to suppress by adding each separated by a comma. P.S. The below screenshot is in VS2019 Mac Version