Nie możesz wybrać więcej, niż 25 tematów Tematy muszą się zaczynać od litery lub cyfry, mogą zawierać myślniki ('-') i mogą mieć do 35 znaków.
 
 
 
 

408 wiersze
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).ConfigureAwait(false);
  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 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. return SendAndReceiveAsync<MqttUnsubAckPacket>(unsubscribePacket);
  127. }
  128. public 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. return SendAsync(publishPacket);
  137. }
  138. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtLeastOnce)
  139. {
  140. publishPacket.PacketIdentifier = GetNewPacketIdentifier();
  141. return SendAndReceiveAsync<MqttPubAckPacket>(publishPacket);
  142. }
  143. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.ExactlyOnce)
  144. {
  145. publishPacket.PacketIdentifier = GetNewPacketIdentifier();
  146. return PublishExactlyOncePacketAsync(publishPacket);
  147. }
  148. throw new InvalidOperationException();
  149. }
  150. private async Task PublishExactlyOncePacketAsync(MqttBasePacket publishPacket)
  151. {
  152. var pubRecPacket = await SendAndReceiveAsync<MqttPubRecPacket>(publishPacket).ConfigureAwait(false);
  153. await SendAndReceiveAsync<MqttPubCompPacket>(pubRecPacket.CreateResponse<MqttPubRelPacket>()).ConfigureAwait(false);
  154. }
  155. private void ThrowIfNotConnected()
  156. {
  157. if (!IsConnected) throw new MqttCommunicationException("The client is not connected.");
  158. }
  159. private async Task DisconnectInternalAsync()
  160. {
  161. try
  162. {
  163. await _adapter.DisconnectAsync();
  164. }
  165. catch (Exception exception)
  166. {
  167. MqttTrace.Warning(nameof(MqttClient), exception, "Error while disconnecting.");
  168. }
  169. finally
  170. {
  171. _cancellationTokenSource?.Cancel(false);
  172. _cancellationTokenSource?.Dispose();
  173. _cancellationTokenSource = null;
  174. IsConnected = false;
  175. if (!_disconnectedEventSuspended)
  176. {
  177. _disconnectedEventSuspended = true;
  178. Disconnected?.Invoke(this, EventArgs.Empty);
  179. }
  180. }
  181. }
  182. private async Task ProcessReceivedPacketAsync(MqttBasePacket mqttPacket)
  183. {
  184. try
  185. {
  186. if (mqttPacket is MqttPingReqPacket)
  187. {
  188. await SendAsync(new MqttPingRespPacket());
  189. }
  190. if (mqttPacket is MqttDisconnectPacket)
  191. {
  192. await DisconnectAsync();
  193. }
  194. if (mqttPacket is MqttPublishPacket publishPacket)
  195. {
  196. await ProcessReceivedPublishPacket(publishPacket);
  197. }
  198. if (mqttPacket is MqttPubRelPacket pubRelPacket)
  199. {
  200. await ProcessReceivedPubRelPacket(pubRelPacket);
  201. }
  202. _packetDispatcher.Dispatch(mqttPacket);
  203. }
  204. catch (Exception exception)
  205. {
  206. MqttTrace.Error(nameof(MqttClient), exception, "Error while processing received packet.");
  207. }
  208. }
  209. private void FireApplicationMessageReceivedEvent(MqttPublishPacket publishPacket)
  210. {
  211. var applicationMessage = publishPacket.ToApplicationMessage();
  212. try
  213. {
  214. ApplicationMessageReceived?.Invoke(this, new MqttApplicationMessageReceivedEventArgs(applicationMessage));
  215. }
  216. catch (Exception exception)
  217. {
  218. MqttTrace.Error(nameof(MqttClient), exception, "Unhandled exception while handling application message.");
  219. }
  220. }
  221. private async Task ProcessReceivedPublishPacket(MqttPublishPacket publishPacket)
  222. {
  223. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtMostOnce)
  224. {
  225. FireApplicationMessageReceivedEvent(publishPacket);
  226. }
  227. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.AtLeastOnce)
  228. {
  229. FireApplicationMessageReceivedEvent(publishPacket);
  230. await SendAsync(new MqttPubAckPacket { PacketIdentifier = publishPacket.PacketIdentifier });
  231. }
  232. if (publishPacket.QualityOfServiceLevel == MqttQualityOfServiceLevel.ExactlyOnce)
  233. {
  234. // QoS 2 is implement as method "B" [4.3.3 QoS 2: Exactly once delivery]
  235. lock (_unacknowledgedPublishPackets)
  236. {
  237. _unacknowledgedPublishPackets.Add(publishPacket.PacketIdentifier);
  238. }
  239. FireApplicationMessageReceivedEvent(publishPacket);
  240. await SendAsync(new MqttPubRecPacket { PacketIdentifier = publishPacket.PacketIdentifier });
  241. }
  242. throw new MqttCommunicationException("Received a not supported QoS level.");
  243. }
  244. private Task ProcessReceivedPubRelPacket(MqttPubRelPacket pubRelPacket)
  245. {
  246. lock (_unacknowledgedPublishPackets)
  247. {
  248. _unacknowledgedPublishPackets.Remove(pubRelPacket.PacketIdentifier);
  249. }
  250. return SendAsync(pubRelPacket.CreateResponse<MqttPubCompPacket>());
  251. }
  252. private Task SendAsync(MqttBasePacket packet)
  253. {
  254. return _adapter.SendPacketAsync(packet, _options.DefaultCommunicationTimeout);
  255. }
  256. private async Task<TResponsePacket> SendAndReceiveAsync<TResponsePacket>(MqttBasePacket requestPacket) where TResponsePacket : MqttBasePacket
  257. {
  258. await _adapter.SendPacketAsync(requestPacket, _options.DefaultCommunicationTimeout).ConfigureAwait(false);
  259. return (TResponsePacket)await _packetDispatcher.WaitForPacketAsync(requestPacket, typeof(TResponsePacket), _options.DefaultCommunicationTimeout).ConfigureAwait(false);
  260. }
  261. private ushort GetNewPacketIdentifier()
  262. {
  263. return (ushort)Interlocked.Increment(ref _latestPacketIdentifier);
  264. }
  265. private async Task SendKeepAliveMessagesAsync(CancellationToken cancellationToken)
  266. {
  267. MqttTrace.Information(nameof(MqttClient), "Start sending keep alive packets.");
  268. try
  269. {
  270. while (!cancellationToken.IsCancellationRequested)
  271. {
  272. await Task.Delay(_options.KeepAlivePeriod, cancellationToken).ConfigureAwait(false);
  273. await SendAndReceiveAsync<MqttPingRespPacket>(new MqttPingReqPacket()).ConfigureAwait(false);
  274. }
  275. }
  276. catch (MqttCommunicationException exception)
  277. {
  278. MqttTrace.Warning(nameof(MqttClient), exception, "MQTT communication error while receiving packets.");
  279. await DisconnectInternalAsync().ConfigureAwait(false);
  280. }
  281. catch (Exception exception)
  282. {
  283. MqttTrace.Warning(nameof(MqttClient), exception, "Error while sending/receiving keep alive packets.");
  284. await DisconnectInternalAsync().ConfigureAwait(false);
  285. }
  286. finally
  287. {
  288. MqttTrace.Information(nameof(MqttClient), "Stopped sending keep alive packets.");
  289. }
  290. }
  291. private async Task ReceivePackets(CancellationToken cancellationToken)
  292. {
  293. MqttTrace.Information(nameof(MqttClient), "Start receiving packets.");
  294. try
  295. {
  296. while (!cancellationToken.IsCancellationRequested)
  297. {
  298. var packet = await _adapter.ReceivePacketAsync(TimeSpan.Zero).ConfigureAwait(false);
  299. MqttTrace.Information(nameof(MqttClient), "Received <<< {0}", packet);
  300. StartProcessReceivedPacket(packet, cancellationToken);
  301. }
  302. }
  303. catch (MqttCommunicationException exception)
  304. {
  305. MqttTrace.Warning(nameof(MqttClient), exception, "MQTT communication exception while receiving packets.");
  306. await DisconnectInternalAsync().ConfigureAwait(false);
  307. }
  308. catch (Exception exception)
  309. {
  310. MqttTrace.Error(nameof(MqttClient), exception, "Unhandled exception while receiving packets.");
  311. await DisconnectInternalAsync().ConfigureAwait(false);
  312. }
  313. finally
  314. {
  315. MqttTrace.Information(nameof(MqttClient), "Stopped receiving packets.");
  316. }
  317. }
  318. private void StartProcessReceivedPacket(MqttBasePacket packet, CancellationToken cancellationToken)
  319. {
  320. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  321. Task.Run(() => ProcessReceivedPacketAsync(packet), cancellationToken);
  322. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  323. }
  324. private void StartReceivePackets()
  325. {
  326. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  327. Task.Run(() => ReceivePackets(_cancellationTokenSource.Token), _cancellationTokenSource.Token);
  328. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  329. }
  330. private void StartSendKeepAliveMessages()
  331. {
  332. #pragma warning disable CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  333. Task.Run(() => SendKeepAliveMessagesAsync(_cancellationTokenSource.Token), _cancellationTokenSource.Token);
  334. #pragma warning restore CS4014 // Because this call is not awaited, execution of the current method continues before the call is completed
  335. }
  336. }
  337. }