Reputation: 4901
I would like to perform a certain operation, and if it fails three times return null. Something like this in Polly would be perfect:
var results = await Policy<IList<Value>>
.Handle<TaskCanceledException>()
.RetryAsync<IList<Value>>(3)
.FallbackAsync(null as IList<Value>)
.ExecuteAsync(() => myRestfulCall());
This isn't possible as RetryAsync
returns an AsyncRetryPolicy
and there is no Fallback extension method defined on this type. Is there a Polly syntax to do this that doesn't require a try/catch block?
Upvotes: 6
Views: 7679
Reputation: 8156
Polly allows you to combine any policies flexibly via PolicyWrap
: extensive documentation here.
The example you quote could be achieved something like:
var fallback = Policy<IList<Value>>
.Handle<TaskCanceledException>()
.FallbackAsync(null as IList<Value>);
var retry = Policy<IList<Value>>
.Handle<TaskCanceledException>()
.RetryAsync<IList<Value>>(3);
var results = await fallback.WrapAsync(retry)
.ExecuteAsync(() => myRestfulCall());
Upvotes: 16