Nelze vybrat více než 25 témat Téma musí začínat písmenem nebo číslem, může obsahovat pomlčky („-“) a může být dlouhé až 35 znaků.
 
 
 
 

416 řádky
16 KiB

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Threading;
  5. using System.Threading.Tasks;
  6. using MQTTnet.Core.Adapter;
  7. using MQTTnet.Core.Diagnostics;
  8. using MQTTnet.Core.Exceptions;
  9. using MQTTnet.Core.Internal;
  10. using MQTTnet.Core.Packets;
  11. using MQTTnet.Core.Protocol;
  12. namespace MQTTnet.Core.Client
  13. {
  14. public class MqttClient : IMqttClient
  15. {
  16. private readonly HashSet<ushort> _unacknowledgedPublishPackets = new HashSet<ushort>();
  17. private readonly MqttPacketDispatcher _packetDispatcher = new MqttPacketDispatcher();
  18. private readonly MqttClientOptions _options;
  19. private readonly IMqttCommunicationAdapter _adapter;
  20. private bool _disconnectedEventSuspended;
  21. private int _latestPacketIdentifier;
  22. private CancellationTokenSource _cancellationTokenSource;
  23. public MqttClient(MqttClientOptions options, IMqttCommunicationAdapter adapter)
  24. {
  25. _options = options ?? throw new ArgumentNullException(nameof(options));
  26. _adapter = adapter ?? throw new ArgumentNullException(nameof(adapter));
  27. _adapter.PacketSerializer.ProtocolVersion = options.ProtocolVersion;
  28. }
  29. public event EventHandler Connected;
  30. public event EventHandler Disconnected;
  31. public event EventHandler<MqttApplicationMessageReceivedEventArgs> ApplicationMessageReceived;
  32. public bool IsConnected { get; private set; }
  33. public async Task ConnectAsync(MqttApplicationMessage willApplicationMessage = null)
  34. {
  35. MqttTrace.Verbose(nameof(MqttClient), "Trying to connect.");
  36. if (IsConnected)
  37. {
  38. throw new MqttProtocolViolationException("It is not allowed to connect with a server after the connection is established.");
  39. }
  40. try
  41. {
  42. _disconnectedEventSuspended = false;
  43. await _adapter.ConnectAsync(_options, _options.DefaultCommunicationTimeout).ConfigureAwait(false);
  44. MqttTrace.Verbose(nameof(MqttClient), "Connection with server established.");
  45. var connectPacket = new MqttConnectPacket
  46. {
  47. ClientId = _options.ClientId,
  48. Username = _options.UserName,
  49. Password = _options.Password,
  50. CleanSession = _options.CleanSession,
  51. KeepAlivePeriod = (ushort)_options.KeepAlivePeriod.TotalSeconds,
  52. WillMessage = willApplicationMessage
  53. };
  54. _cancellationTokenSource = new CancellationTokenSource();
  55. _latestPacketIdentifier = 0;
  56. _packetDispatcher.Reset();
  57. StartReceivePackets();
  58. var response = await SendAndReceiveAsync<MqttConnAckPacket>(connectPacket).ConfigureAwait(false);
  59. if (response.ConnectReturnCode != MqttConnectReturnCode.ConnectionAccepted)
  60. {
  61. await DisconnectInternalAsync().ConfigureAwait(false);
  62. throw new MqttConnectingFailedException(response.ConnectReturnCode);
  63. }
  64. if (_options.KeepAlivePeriod != TimeSpan.Zero)
  65. {
  66. StartSendKeepAliveMessages();
  67. }
  68. MqttTrace.Verbose(nameof(MqttClient), "MQTT connection with server established.");
  69. IsConnected = true;
  70. Connected?.Invoke(this, EventArgs.Empty);
  71. }
  72. catch (Exception)
  73. {
  74. await DisconnectInternalAsync().ConfigureAwait(false);
  75. throw;
  76. }
  77. }
  78. public async Task DisconnectAsync()
  79. {
  80. try
  81. {
  82. await SendAsync(new MqttDisconnectPacket()).ConfigureAwait(false);
  83. }
  84. finally
  85. {
  86. await DisconnectInternalAsync().ConfigureAwait(false);
  87. }
  88. }
  89. public Task<IList<MqttSubscribeResult>> SubscribeAsync(params TopicFilter[] topicFilters)
  90. {
  91. if (topicFilters == null) throw new ArgumentNullException(nameof(topicFilters));
  92. return SubscribeAsync(topicFilters.ToList());
  93. }
  94. public async Task<IList<MqttSubscribeResult>> SubscribeAsync(IList<TopicFilter> topicFilters)
  95. {
  96. if (topicFilters == null) throw new ArgumentNullException(nameof(topicFilters));
  97. if (!topicFilters.Any()) throw new MqttProtocolViolationException("At least one topic filter must be set [MQTT-3.8.3-3].");
  98. ThrowIfNotConnected();
  99. var subscribePacket = new MqttSubscribePacket
  100. {
  101. PacketIdentifier = GetNewPacketIdentifier(),
  102. TopicFilters = topicFilters
  103. };
  104. var response = await SendAndReceiveAsync<MqttSubAckPacket>(subscribePacket);
  105. if (response.SubscribeReturnCodes.Count != topicFilters.Count)
  106. {
  107. throw new MqttProtocolViolationException("The return codes are not matching the topic filters [MQTT-3.9.3-1].");
  108. }
  109. return topicFilters.Select((t, i) => new MqttSubscribeResult(t, response.SubscribeReturnCodes[i])).ToList();
  110. }
  111. public Task Unsubscribe(params string[] topicFilters)
  112. {
  113. if (topicFilters == null) throw new ArgumentNullException(nameof(topicFilters));
  114. return Unsubscribe(topicFilters.ToList());
  115. }
  116. public async Task Unsubscribe(IList<string> topicFilters)
  117. {
  118. if (topicFilters == null) throw new ArgumentNullException(nameof(topicFilters));
  119. if (!topicFilters.Any()) throw new MqttProtocolViolationException("At least one topic filter must be set [MQTT-3.10.3-2].");
  120. ThrowIfNotConnected();
  121. var unsubscribePacket = new MqttUnsubscribePacket
  122. {
  123. PacketIdentifier = GetNewPacketIdentifier(),
  124. TopicFilters = topicFilters
  125. };
  126. await SendAndReceiveAsync<MqttUnsubAckPacket>(unsubscribePacket).ConfigureAwait(false);
  127. }
  128. public async Task PublishAsync(MqttApplicationMessage applicationMessage)
  129. {
  130. if (applicationMessage == null) throw new ArgumentNullException(nameof(applicationMessage));
  131. ThrowIfNotConnected();
  132. var publishPacket = applicationMessage.ToPublishPacket();
  133. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtMostOnce)
  134. {
  135. // No packet identifier is used for QoS 0 [3.3.2.2 Packet Identifier]
  136. await SendAsync(publishPacket).ConfigureAwait(false);
  137. }
  138. else if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtLeastOnce)
  139. {
  140. publishPacket.PacketIdentifier = GetNewPacketIdentifier();
  141. await SendAndReceiveAsync<MqttPubAckPacket>(publishPacket).ConfigureAwait(false);
  142. }
  143. else if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.ExactlyOnce)
  144. {
  145. publishPacket.PacketIdentifier = GetNewPacketIdentifier();
  146. var pubRecPacket = await SendAndReceiveAsync<MqttPubRecPacket>(publishPacket).ConfigureAwait(false);
  147. await SendAndReceiveAsync<MqttPubCompPacket>(pubRecPacket.CreateResponse<MqttPubRelPacket>()).ConfigureAwait(false);
  148. }
  149. }
  150. private void ThrowIfNotConnected()
  151. {
  152. if (!IsConnected) throw new MqttCommunicationException("The client is not connected.");
  153. }
  154. private async Task DisconnectInternalAsync()
  155. {
  156. try
  157. {
  158. await _adapter.DisconnectAsync().ConfigureAwait(false);
  159. }
  160. catch (Exception exception)
  161. {
  162. MqttTrace.Warning(nameof(MqttClient), exception, "Error while disconnecting.");
  163. }
  164. finally
  165. {
  166. _cancellationTokenSource?.Cancel(false);
  167. _cancellationTokenSource?.Dispose();
  168. _cancellationTokenSource = null;
  169. IsConnected = false;
  170. if (!_disconnectedEventSuspended)
  171. {
  172. _disconnectedEventSuspended = true;
  173. Disconnected?.Invoke(this, EventArgs.Empty);
  174. }
  175. }
  176. }
  177. private Task ProcessReceivedPacketAsync(MqttBasePacket mqttPacket)
  178. {
  179. try
  180. {
  181. if (mqttPacket is MqttPingReqPacket)
  182. {
  183. return SendAsync(new MqttPingRespPacket());
  184. }
  185. if (mqttPacket is MqttDisconnectPacket)
  186. {
  187. return DisconnectAsync();
  188. }
  189. if (mqttPacket is MqttPublishPacket publishPacket)
  190. {
  191. return ProcessReceivedPublishPacket(publishPacket);
  192. }
  193. if (mqttPacket is MqttPubRelPacket pubRelPacket)
  194. {
  195. return ProcessReceivedPubRelPacket(pubRelPacket);
  196. }
  197. _packetDispatcher.Dispatch(mqttPacket);
  198. }
  199. catch (Exception exception)
  200. {
  201. MqttTrace.Error(nameof(MqttClient), exception, "Error while processing received packet.");
  202. }
  203. return Task.FromResult(0);
  204. }
  205. private void FireApplicationMessageReceivedEvent(MqttPublishPacket publishPacket)
  206. {
  207. var applicationMessage = publishPacket.ToApplicationMessage();
  208. try
  209. {
  210. ApplicationMessageReceived?.Invoke(this, new MqttApplicationMessageReceivedEventArgs(applicationMessage));
  211. }
  212. catch (Exception exception)
  213. {
  214. MqttTrace.Error(nameof(MqttClient), exception, "Unhandled exception while handling application message.");
  215. }
  216. }
  217. private Task ProcessReceivedPublishPacket(MqttPublishPacket publishPacket)
  218. {
  219. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtMostOnce)
  220. {
  221. FireApplicationMessageReceivedEvent(publishPacket);
  222. return Task.FromResult(0);
  223. }
  224. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtLeastOnce)
  225. {
  226. FireApplicationMessageReceivedEvent(publishPacket);
  227. return SendAsync(new MqttPubAckPacket { PacketIdentifier = publishPacket.PacketIdentifier });
  228. }
  229. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.ExactlyOnce)
  230. {
  231. // QoS 2 is implement as method "B" [4.3.3 QoS 2: Exactly once delivery]
  232. lock (_unacknowledgedPublishPackets)
  233. {
  234. _unacknowledgedPublishPackets.Add(publishPacket.PacketIdentifier);
  235. }
  236. FireApplicationMessageReceivedEvent(publishPacket);
  237. return SendAsync(new MqttPubRecPacket { PacketIdentifier = publishPacket.PacketIdentifier });
  238. }
  239. throw new MqttCommunicationException("Received a not supported QoS level.");
  240. }
  241. private async Task ProcessReceivedPubRelPacket(MqttPubRelPacket pubRelPacket)
  242. {
  243. lock (_unacknowledgedPublishPackets)
  244. {
  245. _unacknowledgedPublishPackets.Remove(pubRelPacket.PacketIdentifier);
  246. }
  247. await SendAsync(pubRelPacket.CreateResponse<MqttPubCompPacket>()).ConfigureAwait(false);
  248. }
  249. private Task SendAsync(MqttBasePacket packet)
  250. {
  251. return _adapter.SendPacketAsync(packet, _options.DefaultCommunicationTimeout);
  252. }
  253. private async Task<TResponsePacket> SendAndReceiveAsync<TResponsePacket>(MqttBasePacket requestPacket) where TResponsePacket : MqttBasePacket
  254. {
  255. bool ResponsePacketSelector(MqttBasePacket p)
  256. {
  257. if (!(p is TResponsePacket p1))
  258. {
  259. return false;
  260. }
  261. if (!(requestPacket is IMqttPacketWithIdentifier pi1) || !(p is IMqttPacketWithIdentifier pi2))
  262. {
  263. return true;
  264. }
  265. return pi1.PacketIdentifier == pi2.PacketIdentifier;
  266. }
  267. await _adapter.SendPacketAsync(requestPacket, _options.DefaultCommunicationTimeout).ConfigureAwait(false);
  268. return (TResponsePacket)await _packetDispatcher.WaitForPacketAsync(ResponsePacketSelector, _options.DefaultCommunicationTimeout).ConfigureAwait(false);
  269. }
  270. private ushort GetNewPacketIdentifier()
  271. {
  272. return (ushort)Interlocked.Increment(ref _latestPacketIdentifier);
  273. }
  274. private async Task SendKeepAliveMessagesAsync(CancellationToken cancellationToken)
  275. {
  276. MqttTrace.Information(nameof(MqttClient), "Start sending keep alive packets.");
  277. try
  278. {
  279. while (!cancellationToken.IsCancellationRequested)
  280. {
  281. await Task.Delay(_options.KeepAlivePeriod, cancellationToken).ConfigureAwait(false);
  282. await SendAndReceiveAsync<MqttPingRespPacket>(new MqttPingReqPacket()).ConfigureAwait(false);
  283. }
  284. }
  285. catch (MqttCommunicationException exception)
  286. {
  287. MqttTrace.Warning(nameof(MqttClient), exception, "MQTT communication error while receiving packets.");
  288. await DisconnectInternalAsync().ConfigureAwait(false);
  289. }
  290. catch (Exception exception)
  291. {
  292. MqttTrace.Warning(nameof(MqttClient), exception, "Error while sending/receiving keep alive packets.");
  293. await DisconnectInternalAsync().ConfigureAwait(false);
  294. }
  295. finally
  296. {
  297. MqttTrace.Information(nameof(MqttClient), "Stopped sending keep alive packets.");
  298. }
  299. }
  300. private async Task ReceivePackets(CancellationToken cancellationToken)
  301. {
  302. MqttTrace.Information(nameof(MqttClient), "Start receiving packets.");
  303. try
  304. {
  305. while (!cancellationToken.IsCancellationRequested)
  306. {
  307. var packet = await _adapter.ReceivePacketAsync(TimeSpan.Zero).ConfigureAwait(false);
  308. MqttTrace.Information(nameof(MqttClient), $"Received <<< {packet}");
  309. StartProcessReceivedPacket(packet, cancellationToken);
  310. }
  311. }
  312. catch (MqttCommunicationException exception)
  313. {
  314. MqttTrace.Warning(nameof(MqttClient), exception, "MQTT communication exception while receiving packets.");
  315. await DisconnectInternalAsync().ConfigureAwait(false);
  316. }
  317. catch (Exception exception)
  318. {
  319. MqttTrace.Error(nameof(MqttClient), exception, "Unhandled exception while receiving packets.");
  320. await DisconnectInternalAsync().ConfigureAwait(false);
  321. }
  322. finally
  323. {
  324. MqttTrace.Information(nameof(MqttClient), "Stopped receiving packets.");
  325. }
  326. }
  327. private void StartProcessReceivedPacket(MqttBasePacket packet, CancellationToken cancellationToken)
  328. {
  329. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  330. Task.Run(() => ProcessReceivedPacketAsync(packet), cancellationToken);
  331. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  332. }
  333. private void StartReceivePackets()
  334. {
  335. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  336. Task.Run(() => ReceivePackets(_cancellationTokenSource.Token), _cancellationTokenSource.Token);
  337. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  338. }
  339. private void StartSendKeepAliveMessages()
  340. {
  341. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  342. Task.Run(() => SendKeepAliveMessagesAsync(_cancellationTokenSource.Token), _cancellationTokenSource.Token);
  343. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  344. }
  345. }
  346. }