server.ts 5.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154
  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 express from 'express';
  17. import config from 'config';
  18. import { _logger} from './config/logger';
  19. import path from 'path';
  20. import http, { ServerResponse } from 'http';
  21. import httpProxy from 'http-proxy';
  22. import compression from 'compression';
  23. import historyApiFallback from 'connect-history-api-fallback';
  24. import { Socket } from 'net';
  25. const logger = _logger('main');
  26. let server: http.Server | null;
  27. let connections: Socket[] = [];
  28. (async() => {
  29. try {
  30. logger.info('Starting ThingsBoard Web UI Microservice...');
  31. const bindAddress: string = config.get('server.address');
  32. const bindPort = Number(config.get('server.port'));
  33. const thingsboardEnableProxy: string = config.get('thingsboard.enableProxy');
  34. const thingsboardHost: string = config.get('thingsboard.host');
  35. const thingsboardPort = Number(config.get('thingsboard.port'));
  36. logger.info('Bind address: %s', bindAddress);
  37. logger.info('Bind port: %s', bindPort);
  38. logger.info('ThingsBoard Enable Proxy: %s', thingsboardEnableProxy);
  39. logger.info('ThingsBoard host: %s', thingsboardHost);
  40. logger.info('ThingsBoard port: %s', thingsboardPort);
  41. const useApiProxy = thingsboardEnableProxy === "true";
  42. let webDir = path.join(__dirname, 'web');
  43. if (typeof process.env.WEB_FOLDER !== 'undefined') {
  44. webDir = path.resolve(process.env.WEB_FOLDER);
  45. }
  46. logger.info('Web folder: %s', webDir);
  47. const app = express();
  48. server = http.createServer(app);
  49. let apiProxy: httpProxy;
  50. if (useApiProxy) {
  51. apiProxy = httpProxy.createProxyServer({
  52. target: {
  53. host: thingsboardHost,
  54. port: thingsboardPort
  55. }
  56. });
  57. apiProxy.on('error', (err, req, res) => {
  58. logger.warn('API proxy error: %s', err.message);
  59. if (res instanceof ServerResponse) {
  60. res.writeHead(500);
  61. const error = err as any;
  62. if (error.code && error.code === 'ECONNREFUSED') {
  63. res.end('Unable to connect to ThingsBoard server.');
  64. } else {
  65. res.end('ThingsBoard server connection error: ' + error.code ? error.code : '');
  66. }
  67. }
  68. });
  69. app.all('/api/*', (req, res) => {
  70. logger.debug(req.method + ' ' + req.originalUrl);
  71. apiProxy.web(req, res);
  72. });
  73. app.all('/static/rulenode/*', (req, res) => {
  74. apiProxy.web(req, res);
  75. });
  76. server.on('upgrade', (req, socket, head) => {
  77. apiProxy.ws(req, socket, head);
  78. });
  79. }
  80. app.use(historyApiFallback());
  81. app.use(compression());
  82. const root = path.join(webDir, 'public');
  83. app.use(express.static(root));
  84. server.listen(bindPort, bindAddress, () => {
  85. logger.info('==> 🌎 Listening on port %s.', bindPort);
  86. logger.info('Started ThingsBoard Web UI Microservice.');
  87. }).on('error', async (error) => {
  88. logger.error('Failed to start ThingsBoard Web UI Microservice: %s', error.message);
  89. logger.error(error.stack);
  90. await exit(-1);
  91. });
  92. server.on('connection', connection => {
  93. connections.push(connection);
  94. connection.on('close', () => connections = connections.filter(curr => curr !== connection));
  95. });
  96. } catch (e: any) {
  97. logger.error('Failed to start ThingsBoard Web UI Microservice: %s', e.message);
  98. logger.error(e.stack);
  99. await exit(-1);
  100. }
  101. })();
  102. [`SIGINT`, `SIGUSR1`, `SIGUSR2`, `uncaughtException`, `SIGTERM`].forEach((eventType) => {
  103. process.once(eventType, async () => {
  104. logger.info(`${eventType} signal received`);
  105. await exit(0);
  106. });
  107. })
  108. process.on('exit', async (code: number) => {
  109. logger.info(`ThingsBoard Web UI Microservice has been stopped. Exit code: ${code}.`);
  110. });
  111. async function exit(status: number) {
  112. logger.info('Exiting with status: %d ...', status);
  113. if (server) {
  114. logger.info('Stopping HTTP Server...');
  115. connections.forEach(curr => curr.end(() => curr.destroy()));
  116. const _server = server;
  117. server = null;
  118. const serverClosePromise = new Promise<void>(
  119. (resolve, reject) => {
  120. _server.close((err) => {
  121. logger.info('HTTP Server stopped.');
  122. resolve();
  123. });
  124. }
  125. );
  126. await serverClosePromise;
  127. }
  128. process.exit(status);
  129. }