-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathProgram.cs
82 lines (72 loc) · 2.55 KB
/
Program.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
// Circuit Breaker pattern
// https://learn.microsoft.com/en-us/azure/architecture/patterns/circuit-breaker
// Implement the Circuit Breaker pattern
// https://learn.microsoft.com/en-us/dotnet/architecture/microservices/implement-resilient-applications/implement-circuit-breaker-pattern
namespace DesignPatterns.CircuitBreaker;
class CircuitBreaker(int failureThreshold, TimeSpan openDuration)
{
int _failureCount = 0;
DateTime _lastFailureTime;
bool _isOpen;
public bool CanExecute()
{
// If the circuit is open and the open duration has passed, reset the circuit
if (_isOpen && DateTime.UtcNow - _lastFailureTime > openDuration)
{
Console.WriteLine("Circuit is half-open. Retrying...");
_isOpen = false;
_failureCount = 0; // Close the circuit and reset failure count
return true;
}
return !_isOpen;
}
public void RecordSuccess() => _failureCount = 0; // Reset failure count on success
public void RecordFailure()
{
_failureCount++;
// If failure count reaches the threshold, open the circuit
if (_failureCount >= failureThreshold)
{
_isOpen = true;
_lastFailureTime = DateTime.UtcNow;
Console.WriteLine($"Circuit is open! Requests will be blocked for {openDuration.TotalSeconds} seconds.");
}
}
}
class Program
{
private static readonly HttpClient _httpClient = new HttpClient();
private static readonly CircuitBreaker _circuitBreaker = new CircuitBreaker(2, TimeSpan.FromSeconds(5));
static async Task Main(string[] args)
{
for (int i = 1; i <= 10; i++)
{
Console.WriteLine($"Performing request {i}...");
await MakeRequest();
Thread.Sleep(1000);
}
}
private static async Task MakeRequest()
{
if (!_circuitBreaker.CanExecute())
{
Console.WriteLine("Circuit is open! Request canceled.");
return;
}
try
{
Console.WriteLine("Sending HTTP request...");
if (new Random().Next(1, 4) != 1) // Simulated failure rate (fails 2 out of 3 times)
{
throw new HttpRequestException("Connection error!");
}
Console.WriteLine("Request successful!");
_circuitBreaker.RecordSuccess();
}
catch (Exception ex)
{
Console.WriteLine($"Error occurred: {ex.Message}");
_circuitBreaker.RecordFailure();
}
}
}