-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMqttLoadTester.cs
221 lines (191 loc) · 6.76 KB
/
MqttLoadTester.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
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
namespace DIME.LoadTester;
using MQTTnet;
using System.Diagnostics;
using System.Text.Json;
class MqttLoadTester
{
private readonly LoadTestConfig _config;
private readonly List<IMqttClient> _clients = new();
private readonly CancellationTokenSource _cts = new();
private readonly Metrics _metrics = new();
private Timer _throughputTimer;
private readonly SemaphoreSlim _connectionSemaphore = new(50); // Max 50 concurrent connections
public MqttLoadTester(LoadTestConfig config)
{
_config = config;
}
public async Task RunTest()
{
try
{
Console.WriteLine($"Starting load test with {_config.NumberOfClients} clients into {_config.BrokerHost}");
await CreateClients();
StartThroughputReporting();
await SimulateLoad();
await DisplayResults();
}
finally
{
await Cleanup();
}
}
private void StartThroughputReporting()
{
var lastMessageCount = 0L;
_throughputTimer = new Timer(_ =>
{
var currentCount = _metrics.SuccessfulMessages;
var throughput = currentCount - lastMessageCount;
Console.WriteLine($"Throughput: {throughput} msgs/sec | Total: {currentCount:N0} | Failures: {_metrics.FailedMessages:N0}");
lastMessageCount = currentCount;
}, null, 0, 1000);
}
private async Task CreateClients()
{
var factory = new MqttClientFactory();
var tasks = new List<Task>();
for (int i = 0; i < _config.NumberOfClients; i++)
{
var clientId = i;
tasks.Add(Task.Run(async () =>
{
await _connectionSemaphore.WaitAsync();
try
{
var client = factory.CreateMqttClient();
var builder = new MqttClientOptionsBuilder()
.WithTcpServer(_config.BrokerHost, _config.BrokerPort)
.WithClientId($"loadtest_client_{Guid.NewGuid().ToString()}_{clientId}");
if (_config.CleanSession)
builder.WithCleanSession();
if (!string.IsNullOrEmpty(_config.Username) && !string.IsNullOrEmpty(_config.Password))
builder.WithCredentials(_config.Username, _config.Password);
var options = builder.Build();
await client.ConnectAsync(options);
lock (_clients)
{
_clients.Add(client);
}
}
catch (Exception ex)
{
Console.WriteLine($"Failed to connect client {clientId}: {ex.Message}");
}
finally
{
_connectionSemaphore.Release();
}
}));
}
await Task.WhenAll(tasks);
Console.WriteLine($"Connected {_clients.Count} clients");
}
private async Task SimulateLoad()
{
var sw = Stopwatch.StartNew();
var tasks = new List<Task>();
for (int i = 0; i < _config.NumberOfMessages; i++)
{
foreach (var client in _clients)
{
var message = new { timestamp = DateTime.UtcNow, value = Random.Shared.Next(100) };
var payload = JsonSerializer.Serialize(message);
tasks.Add(PublishMessageAsync(client, _config.Topic, payload));
}
if (tasks.Count >= 1000)
{
await Task.WhenAll(tasks);
tasks.Clear();
if (_config.MessageDelayMs > 0)
await Task.Delay(_config.MessageDelayMs);
}
}
await Task.WhenAll(tasks);
sw.Stop();
_metrics.TotalDuration = sw.Elapsed;
}
private async Task PublishMessageAsync(IMqttClient client, string topic, string payload)
{
try
{
var message = new MqttApplicationMessageBuilder()
.WithTopic(topic)
.WithPayload(payload)
.WithQualityOfServiceLevel((MQTTnet.Protocol.MqttQualityOfServiceLevel)_config.QoS)
.Build();
var sw = Stopwatch.StartNew();
await client.PublishAsync(message);
sw.Stop();
Interlocked.Increment(ref _metrics.SuccessfulMessages);
_metrics.AddLatency(sw.ElapsedMilliseconds);
}
catch (Exception)
{
Interlocked.Increment(ref _metrics.FailedMessages);
}
}
private async Task DisplayResults()
{
_throughputTimer?.Dispose();
var totalMessages = _metrics.SuccessfulMessages + _metrics.FailedMessages;
var messagesPerSecond = totalMessages / _metrics.TotalDuration.TotalSeconds;
Console.WriteLine($"\nLoad Test Results:");
Console.WriteLine($"Total Messages: {totalMessages:N0}");
Console.WriteLine($"Successful: {_metrics.SuccessfulMessages:N0}");
Console.WriteLine($"Failed: {_metrics.FailedMessages:N0}");
Console.WriteLine($"Average Latency: {_metrics.AverageLatency:N2}ms");
Console.WriteLine($"Messages/sec: {messagesPerSecond:N2}");
Console.WriteLine($"Total Duration: {_metrics.TotalDuration.TotalSeconds:N2}s");
}
private async Task Cleanup()
{
_throughputTimer?.Dispose();
foreach (var client in _clients)
{
try
{
await client.DisconnectAsync();
client.Dispose();
}
catch { }
}
_cts.Dispose();
}
}
class LoadTestConfig
{
public string BrokerHost { get; set; } = "localhost";
public int BrokerPort { get; set; } = 1883;
public int NumberOfClients { get; set; } = 100;
public int NumberOfMessages { get; set; } = 1000;
public int MessageDelayMs { get; set; } = 10;
public string Topic { get; set; } = "loadtest";
public int QoS { get; set; } = 1;
public bool CleanSession { get; set; } = true;
public string Username { get; set; } = string.Empty;
public string Password { get; set; } = string.Empty;
}
class Metrics
{
public long SuccessfulMessages;
public long FailedMessages;
private readonly List<long> _latencies = new();
public TimeSpan TotalDuration;
public void AddLatency(long latencyMs)
{
lock (_latencies)
{
_latencies.Add(latencyMs);
}
}
public double AverageLatency
{
get
{
lock (_latencies)
{
return _latencies.Count > 0 ? _latencies.Average() : 0;
}
}
}
}