serviceBusTemplate.ts 6.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174
  1. ///
  2. /// Copyright © 2016-2023 The Thingsboard Authors
  3. ///
  4. /// Licensed under the Apache License, Version 2.0 (the "License");
  5. /// you may not use this file except in compliance with the License.
  6. /// You may obtain a copy of the License at
  7. ///
  8. /// http://www.apache.org/licenses/LICENSE-2.0
  9. ///
  10. /// Unless required by applicable law or agreed to in writing, software
  11. /// distributed under the License is distributed on an "AS IS" BASIS,
  12. /// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13. /// See the License for the specific language governing permissions and
  14. /// limitations under the License.
  15. ///
  16. import config from 'config';
  17. import { _logger } from '../config/logger';
  18. import { JsInvokeMessageProcessor } from '../api/jsInvokeMessageProcessor'
  19. import { IQueue } from './queue.models';
  20. import {
  21. CreateQueueOptions,
  22. ProcessErrorArgs,
  23. ServiceBusAdministrationClient,
  24. ServiceBusClient,
  25. ServiceBusReceivedMessage,
  26. ServiceBusReceiver,
  27. ServiceBusSender
  28. } from '@azure/service-bus';
  29. export class ServiceBusTemplate implements IQueue {
  30. private logger = _logger(`serviceBusTemplate`);
  31. private requestTopic: string = config.get('request_topic');
  32. private namespaceName = config.get('service_bus.namespace_name');
  33. private sasKeyName = config.get('service_bus.sas_key_name');
  34. private sasKey = config.get('service_bus.sas_key');
  35. private queueProperties: string = config.get('service_bus.queue_properties');
  36. private sbClient: ServiceBusClient;
  37. private serviceBusService: ServiceBusAdministrationClient;
  38. private queueOptions: CreateQueueOptions = {};
  39. private queues: string[] = [];
  40. private receiver: ServiceBusReceiver;
  41. private senderMap = new Map<string, ServiceBusSender>();
  42. name = 'Azure Service Bus';
  43. constructor() {
  44. }
  45. async init() {
  46. const connectionString = `Endpoint=sb://${this.namespaceName}.servicebus.windows.net/;SharedAccessKeyName=${this.sasKeyName};SharedAccessKey=${this.sasKey}`;
  47. this.sbClient = new ServiceBusClient(connectionString)
  48. this.serviceBusService = new ServiceBusAdministrationClient(connectionString);
  49. this.parseQueueProperties();
  50. const listQueues = await this.serviceBusService.listQueues();
  51. for await (const queue of listQueues) {
  52. this.queues.push(queue.name);
  53. }
  54. if (!this.queues.includes(this.requestTopic)) {
  55. await this.createQueueIfNotExist(this.requestTopic);
  56. this.queues.push(this.requestTopic);
  57. }
  58. this.receiver = this.sbClient.createReceiver(this.requestTopic, {receiveMode: 'peekLock'});
  59. const messageProcessor = new JsInvokeMessageProcessor(this);
  60. const messageHandler = async (message: ServiceBusReceivedMessage) => {
  61. if (message) {
  62. messageProcessor.onJsInvokeMessage(message.body);
  63. await this.receiver.completeMessage(message);
  64. }
  65. };
  66. const errorHandler = async (error: ProcessErrorArgs) => {
  67. this.logger.error('Failed to receive message from queue.', error);
  68. };
  69. this.receiver.subscribe({processMessage: messageHandler, processError: errorHandler})
  70. }
  71. async send(responseTopic: string, msgKey: string, rawResponse: Buffer, headers: any): Promise<any> {
  72. if (!this.queues.includes(this.requestTopic)) {
  73. await this.createQueueIfNotExist(this.requestTopic);
  74. this.queues.push(this.requestTopic);
  75. }
  76. let customSender = this.senderMap.get(responseTopic);
  77. if (!customSender) {
  78. customSender = this.sbClient.createSender(responseTopic);
  79. this.senderMap.set(responseTopic, customSender);
  80. }
  81. let data = {
  82. key: msgKey,
  83. data: [...rawResponse],
  84. headers: headers
  85. };
  86. return customSender.sendMessages({body: data});
  87. }
  88. private parseQueueProperties() {
  89. let properties: { [n: string]: string } = {};
  90. const props = this.queueProperties.split(';');
  91. props.forEach(p => {
  92. const delimiterPosition = p.indexOf(':');
  93. properties[p.substring(0, delimiterPosition)] = p.substring(delimiterPosition + 1);
  94. });
  95. this.queueOptions = {
  96. requiresDuplicateDetection: false,
  97. maxSizeInMegabytes: Number(properties['maxSizeInMb']),
  98. defaultMessageTimeToLive: `PT${properties['messageTimeToLiveInSec']}S`,
  99. lockDuration: `PT${properties['lockDurationInSec']}S`
  100. };
  101. }
  102. private async createQueueIfNotExist(topic: string) {
  103. try {
  104. await this.serviceBusService.createQueue(topic, this.queueOptions)
  105. } catch (err: any) {
  106. if (err && err.code !== "MessageEntityAlreadyExistsError") {
  107. throw new Error(err);
  108. }
  109. }
  110. }
  111. async destroy() {
  112. this.logger.info('Stopping Azure Service Bus resources...')
  113. if (this.receiver) {
  114. this.logger.info('Stopping Service Bus Receiver...');
  115. try {
  116. const _receiver = this.receiver;
  117. // @ts-ignore
  118. delete this.receiver;
  119. await _receiver.close();
  120. this.logger.info('Service Bus Receiver stopped.');
  121. } catch (e) {
  122. this.logger.info('Service Bus Receiver stop error.');
  123. }
  124. }
  125. this.logger.info('Stopping Service Bus Senders...');
  126. const senders: Promise<void>[] = [];
  127. this.senderMap.forEach((sender) => {
  128. senders.push(sender.close());
  129. });
  130. this.senderMap.clear();
  131. try {
  132. await Promise.all(senders);
  133. this.logger.info('Service Bus Senders stopped.');
  134. } catch (e) {
  135. this.logger.info('Service Bus Senders stop error.');
  136. }
  137. if (this.sbClient) {
  138. this.logger.info('Stopping Service Bus Client...');
  139. try {
  140. const _sbClient = this.sbClient;
  141. // @ts-ignore
  142. delete this.sbClient;
  143. await _sbClient.close();
  144. this.logger.info('Service Bus Client stopped.');
  145. } catch (e) {
  146. this.logger.info('Service Bus Client stop error.');
  147. }
  148. }
  149. this.logger.info('Azure Service Bus resources stopped.')
  150. }
  151. }