2020/04/05

Typescriptでsocketio

背景


仕事でTypescriptを使用する機会が出てきたので、使い方を調査した

記事の目的


TypescriptでSocketIO通信を実装する

Typescript


ここでは、Typescriptについて記載する。

Typescriptとは

Typescript

Typescriptはマイクロソフトによって開発され、メンテナンスされているフリーでオープンソースのプログラミング言語である。TypeScriptはJavaScriptに対して、省略も可能な静的型付けとクラスベースオブジェクト指向を加えた厳密なスーパーセットとなっている。C#のリードアーキテクトであり、DelphiとTurbo Pascalの開発者でもあるアンダース・ヘルスバーグがTypeScriptの開発に関わっている。TypeScriptはクライアントサイド、あるいはサーバサイド (Node.js) で実行されるJavaScriptアプリケーションの開発に利用できる。

利点

  • 型チェックが強力で柔軟であるため、型の間違いによるバグを抑制できる
  • VSCodeなどで入力補完が利用でき、JSDocでコメントを作成しておくとドキュメントが不要

テンプレートのパッケージ構成

Typescriptでnodeモジュールを作成するための最小構成
  1. $ tree
  2. .
  3. ├── dist #トランスパイル済みJavascriptファイルの格納先
  4. ├── node_modules # npm installでインストールした依存関係のあるnodeモジュールの格納先
  5. ├── package-lock.json # npm installでインストールしたnodeモジュール情報(自動で生成される)
  6. ├── package.json # このモジュールの情報
  7. ├── param # パラメータファイルの格納先(オプショナル)
  8. └── log-config.json # log4js(ロガーモジュール)の設定ファイル
  9. ├── src # ソースファイルの格納場所
  10. └── app.ts # mainのTypescriptファイル
  11. ├── test # テストコードの格納場所
  12. └── app.test.ts # app.tsのテストコード
  13. ├── tsconfig.json # Typescriptの設定ファイル
  14. └── tslint.json # ts-lint(Typescriptのlintツール)の設定ファイル

package.json

テンプレートのpackage.jsonファイルを記載する。
  1. {
  2. "name": "sample_app",(mainのファイル名)
  3. "version": "1.0.0",(バージョン)
  4. "description": "This is sample code",(モジュールの説明)
  5. "main": "dist/app.js",(mainファイル)
  6. "directories": {(ディレクトリ構成)
  7. "src": "src",
  8. "dist": "dist",
  9. "param": "param",
  10. "test": "test"
  11. },
  12. "scripts": {(スクリプトの設定)
  13. "start": "npm run build && npm run watch", (ビルドして実行)
  14. "build": "npm install && npm run build-ts && npm run tslint",(ビルド)
  15. "serve": "nodemon dist/src/index.js",(サービスとして実行)
  16. "watch": "npm install concurrently && concurrently -k -p \"[{name}]\" -n \"Typescript,Node\" -c \"yellow.bold,cyan.bold,green.bold\" \"npm run watch-ts\" \"npm run serve\"",(ビルドしつつウォッチ)
  17. "test": "npm run build && jest --forceExit --detectOpenHandles",(テストコード実行)
  18. "test-ci": "jest --coverage --forceExit --runInBand",(テストコード実行し、コードカバレッジを表示)
  19. "build-ts": "tsc",(Typescriptのビルド)
  20. "watch-ts": "tsc -w",(Typescriptのウォッチ)
  21. "tslint": "tslint -c tslint.json -p tsconfig.json"(ts-lintを実行)
  22. },
  23. "author": "EmptySet",(作成者)
  24. "license": "MIT",(ライセンス)
  25. "devDependencies": {(依存モジュール、バージョン。npm install -Dでインストールされる)
  26. "@babel/core": "*",
  27. "@babel/preset-env": "*",
  28. "@babel/preset-react": "*",
  29. "@babel/preset-typescript": "*",
  30. "@types/jest": "*",
  31. "@types/uuid": "^7.0.2",
  32. "async-mutex": "^0.1.4",
  33. "babel-jest": "*",
  34. "jest": "^25.2.6",
  35. "log4js": "^6.1.2",
  36. "socket.io": "^2.3.0",
  37. "socket.io-client": "^2.3.0",
  38. "ts-jest": "^25.3.0",
  39. "tslint": "6.1.0",
  40. "typescript": "3.8.3"
  41. },
  42. "dependencies": {(依存モジュール、バージョン。npm installでインストールされる)
  43. "@types/express": "^4.17.4",
  44. "@types/jest": "^25.1.5",
  45. "@types/node": "^13.9.5",
  46. "@types/socket.io": "^2.1.4",
  47. "@types/socket.io-client": "^1.4.32",
  48. "express": "^4.17.1",
  49. "jest-cli": "^25.2.6",
  50. "log4js": "6.1.2",
  51. "tsc": "^1.20150623.0",
  52. "uuid": "^7.0.2"
  53. },
  54. "jest": {(jest(テストツール)の設定)
  55. "transform": {
  56. "^.+\\.ts$": "ts-jest"
  57. },
  58. "testMatch": [
  59. "**/test/**/*.test.ts"
  60. ],
  61. "moduleFileExtensions": [
  62. "ts",
  63. "js"
  64. ],
  65. "globals": {
  66. "ts-jest": {
  67. "tsConfig": "tsconfig.json"
  68. }
  69. }
  70. }
  71. }

tsconfig.json

tsconfig.jsonファイルを記載する。
  1. {
  2. "compilerOptions": {
  3. "module": "commonjs",(モジュールコードのバージョン)
  4. "target": "es2017",(ECMAScriptのバージョン)
  5. "noImplicitAny": true,(Any型を許容しない)
  6. "moduleResolution": "node",(構造の単位)
  7. "sourceMap": true,(tsファイルとjsファイル間のマップファイルを作成)
  8. "outDir": "./dist",(ビルド後のファイルの格納先)
  9. "baseUrl": ".",(ソースファイルのベースのパス)
  10. "rootDir":"./src",(ルートディレクトリ)
  11. "paths": {(パスの定義)
  12. "*": [
  13. "node_modules/*",
  14. "src/*",
  15. "test/*"
  16. ]
  17. }
  18. },
  19. "include": [(includeするファイル)
  20. "src/**/*"
  21. ]
  22. }

tslint.json

tslint.jsonファイルを記載する。
  1. {
  2. "rules": {
  3. "class-name": true,
  4. "comment-format": [
  5. true,
  6. "check-space"
  7. ],
  8. "indent": [
  9. true,
  10. "spaces"
  11. ],
  12. "one-line": [
  13. true,
  14. "check-open-brace",
  15. "check-whitespace"
  16. ],
  17. "no-var-keyword": true,
  18. "quotemark": [
  19. true,
  20. "double",
  21. "avoid-escape"
  22. ],
  23. "semicolon": [
  24. true,
  25. "always",
  26. "ignore-bound-class-methods"
  27. ],
  28. "whitespace":[
  29. true,
  30. "check-branch",
  31. "check-decl",
  32. "check-operator",
  33. "check-module",
  34. "check-separator",
  35. "check-type"
  36. ],
  37. "typedef-whitespace": [
  38. true,
  39. {
  40. "call-signature": "nospace",
  41. "index-signature": "nospace",
  42. "parameter": "nospace",
  43. "property-declaration": "nospace",
  44. "variable-declaration": "nospace"
  45. },
  46. {
  47. "call-signature": "onespace",
  48. "index-signature": "onespace",
  49. "parameter": "onespace",
  50. "property-declaration": "onespace",
  51. "variable-declaration": "onespace"
  52. }
  53. ],
  54. "no-internal-module": true,
  55. "no-trailing-whitespace": true,
  56. "no-null-keyword": true,
  57. "prefer-const": true,
  58. "jsdoc-format": true
  59. }
  60. }

/src/app.ts

app.tsを記載する。
  1. /**
  2. * SocketIO sample
  3. * @summary This is socketIO sample code (get rtt)
  4. * @author EmptySet
  5. * @version 1.0
  6. * @todo Something
  7. */
  8. // ロガーモジュール
  9. import * as Logger from "log4js";
  10. Logger.configure("./param/log-config.json");
  11. // SocketIOのモジュール
  12. import * as socketio_client from "socket.io-client";
  13. import * as socketio from "socket.io";
  14. // UUID作成モジュール
  15. import * as UUID from "uuid";
  16. // Expressモジュール(サーバアプリ)
  17. import * as express from "express";
  18. // HTTPサーバモジュール
  19. import * as http from "http";
  20. // データの型を設定
  21. /**
  22. * Header in data
  23. */
  24. interface Header {
  25. "type": string;
  26. "uuid": string;
  27. "version": number;
  28. "time_stamp": string;
  29. }
  30. /**
  31. * Body in data
  32. */
  33. interface Body {
  34. "time_stamp": Array<number>;
  35. }
  36. /**
  37. * Data format
  38. */
  39. export interface Data {
  40. "header": Header;
  41. "body": Body;
  42. }
  43. /**
  44. * SocketIOクライアントクラス
  45. */
  46. class Client {
  47. // ロガー
  48. protected logger: Logger.Logger;
  49. // SocketIOクライアント
  50. protected io: SocketIOClient.Socket;
  51. // SocketIOのパラメータ
  52. protected url: string;
  53. protected port: number;
  54. protected token: string;
  55. protected namespace: string;
  56. // 接続状態フラグ(true: 接続, false: 未接続)
  57. protected is_connection: boolean;
  58. // コンストラクタ
  59. /**
  60. * Set parameters of socketIO
  61. * @param url Server URL (e.g. azure.com)
  62. * @param port Port number (e.g. 80)
  63. * @param token Token in query
  64. * @param namespace Socket namespace
  65. */
  66. constructor(url: string, port: number, token: string, namespace: string) {
  67. // ロガー名を設定
  68. this.set_logger("client");
  69. // クライアントのパラメータを設定
  70. this.url = url;
  71. this.port = port;
  72. this.token = token;
  73. this.namespace = namespace;
  74. // 接続状態を初期化
  75. this.is_connection = false;
  76. }
  77. /**
  78. * Check connection status
  79. * @param class_name Please set class name
  80. */
  81. set_logger(class_name: string) {
  82. this.logger = Logger.getLogger(class_name);
  83. }
  84. /**
  85. * Check connection status
  86. * @return Connect(true) or not(false)
  87. */
  88. protected check_connection(): boolean {
  89. return this.is_connection;
  90. }
  91. /**
  92. * Set connection status
  93. * @param flg Connect(true) or not(false)
  94. */
  95. protected set_connection(flg: boolean) {
  96. this.is_connection = flg;
  97. }
  98. /**
  99. * Connect to server
  100. */
  101. protected connect() {
  102. this.logger.info("Try connect to server");
  103. // 接続重複時に、前の接続を切断
  104. if (this.check_connection()) {
  105. this.logger.warn("Connection is duplicated. Disconnect from old connection.");
  106. this.disconnect();
  107. }
  108. // サーバーに接続
  109. const uri: string = `http://${this.url}:${this.port}/${this.namespace}`;
  110. try {
  111. this.io = socketio_client.connect(uri, {
  112. transports: ["websocket"],
  113. forceNew: true,
  114. reconnection: true,
  115. query: {
  116. token: this.token
  117. }
  118. });
  119. } catch (e) {
  120. this.logger.error(`Cannot connect to server ${e}`);
  121. }
  122. }
  123. /**
  124. * Disconnect from server
  125. */
  126. protected disconnect() {
  127. this.logger.info("Disconnect from server");
  128. // サーバーから切断
  129. try {
  130. this.io.disconnect();
  131. } catch (e) {
  132. this.logger.error(`Cannot disconnect from server. ${e}`);
  133. } finally {
  134. this.set_connection(false);
  135. }
  136. }
  137. /**
  138. * Run client module.
  139. * Connect to server and set events
  140. */
  141. async run () {
  142. this.connect();
  143. this.io.on("connect", (socket: socketio.Socket) => {
  144. this.set_connection(true);
  145. this.logger.info(`Connected to server. id: ${this.io.id}`);
  146. // 接続したソケットに対して、コールバックイベントを設定
  147. this.set_event(socket);
  148. });
  149. // 切断イベントを設定
  150. this.io.on("disconnect", (socket: socketio.Socket) => {
  151. this.set_connection(false);
  152. this.logger.info(`Disconnected from server. id: ${this.io.id}`);
  153. });
  154. }
  155. /**
  156. * Set callback events
  157. * @param socket socket instance
  158. */
  159. async set_event(socket: socketio.Socket) {}
  160. }
  161. /**
  162. * SocketIO server class
  163. */
  164. export class Server {
  165. // ロガー名を設定
  166. protected logger: Logger.Logger;
  167. // SocketIOサーバー関連
  168. protected server: http.Server;
  169. protected io: SocketIO.Server;
  170. protected nsp_1: SocketIO.Namespace;
  171. protected nsp_2: SocketIO.Namespace;
  172. // SocketIOサーバーのパラメータ
  173. protected url: string;
  174. protected port: number;
  175. protected token: string;
  176. protected namespace: Array<string>;
  177. // 接続数
  178. protected number_of_connection: number;
  179. // コンストラクタ
  180. /**
  181. * Set parameters of socketIO
  182. * @param url Server URL (e.g. azure.com)
  183. * @param port Port number (e.g. 80)
  184. * @param token Token in query
  185. * @param namespace Socket namespace
  186. */
  187. constructor(url: string, port: number, token: string, namespace: ArrayArray<string>) {
  188. // ロガーを設定
  189. this.set_logger("server");
  190. // パラメータを設定
  191. this.url = url;
  192. this.port = port;
  193. this.token = token;
  194. this.namespace = namespace;
  195. // 接続数を設定
  196. this.number_of_connection = 0;
  197. // サーバーを設定
  198. const app: express.Express = express();
  199. this.server = http.createServer(app);
  200. this.io = socketio(this.server, {
  201. pingInterval: 1000,
  202. pingTimeout: 5000
  203. });
  204. }
  205. /**
  206. * Check connection status
  207. * @param class_name Please set class name
  208. */
  209. protected set_logger(class_name: string) {
  210. this.logger = Logger.getLogger(class_name);
  211. }
  212. /**
  213. * Check connection status
  214. * @return Connect(true) or not(false)
  215. */
  216. protected check_connection(): number {
  217. return this.number_of_connection;
  218. }
  219. /**
  220. * Add number of connection
  221. */
  222. protected add_connection() {
  223. this.number_of_connection ++;
  224. this.logger.debug(`Number of connection is ${this.number_of_connection}`);
  225. }
  226. /**
  227. * Add number of connection
  228. */
  229. protected remove_connection() {
  230. if (this.number_of_connection == 0) {
  231. this.logger.error("Number of connection is invalid");
  232. return;
  233. }
  234. this.number_of_connection --;
  235. this.logger.debug(`Number of connection is ${this.number_of_connection}`);
  236. }
  237. protected listen() {
  238. this.server.listen(this.port, this.url);
  239. }
  240. /**
  241. * Disconnect from server
  242. */
  243. protected disconnect(socket: socketio.Socket) {
  244. this.logger.info("Disconnect from server");
  245. // 切断処理
  246. try {
  247. socket.disconnect();
  248. this.logger.info(`Disconnected from server. (ID: ${socket.id})`);
  249. } catch (e) {
  250. this.logger.error(`Cannot disconnect from server. ${e}`);
  251. }
  252. }
  253. /**
  254. * Run server module.
  255. * Listen and set events
  256. */
  257. async run () {
  258. this.listen();
  259. // 接続イベント
  260. this.io.on("connect", (socket: socketio.Socket) => {
  261. this.logger.info(`Connected to client. id: ${socket.id}`);
  262. this.add_connection();
  263. });
  264. // 切断イベント
  265. this.io.on("disconnect", (socket: socketio.Socket) => {
  266. this.logger.info(`disconnected from client. id: ${socket.id}`);
  267. this.remove_connection();
  268. });
  269. // 独自のイベントを設定
  270. this.set_event();
  271. }
  272. /**
  273. * Set callback events
  274. * @param socket socket instance
  275. */
  276. async set_event() {
  277. // Namespace: this.namespace[0]のイベント設定
  278. this.io.of(this.namespace[0]).on("connect", (socket: socketio.Socket) => {
  279. this.logger.info(`Connected to client. id: ${socket.id}`);
  280. // this.namespace[0]のその他イベント設定
  281. socket.on("ping_", (msg: Data) => {
  282. this.logger.info(`Get ping. msg: ${JSON.stringify(msg)}`);
  283. const data: Data = msg;
  284. // 時刻取得
  285. const d = new Date();
  286. data.header.time_stamp = d.toISOString();
  287. data.body.time_stamp.push(d.getTime() / 1000);
  288. this.io.of(this.namespace[1]).json.emit("ping_", data);
  289. });
  290. });
  291. // Namespace: this.namespace[1]のイベント設定
  292. this.io.of(this.namespace[1]).on("connect", (socket: socketio.Socket) => {
  293. this.logger.info(`Connected to client. id: ${socket.id}`);
  294. // this.namespace[1]のその他イベント設定
  295. socket.on("pong_", (msg: Data) => {
  296. this.logger.info(`Get pong. msg: ${JSON.stringify(msg)}`);
  297. const data: Data = msg;
  298. // 時刻取得
  299. const d = new Date();
  300. data.header.time_stamp = d.toISOString();
  301. data.body.time_stamp.push(d.getTime() / 1000);
  302. this.io.of(this.namespace[0]).json.emit("pong_", msg);
  303. });
  304. });
  305. }
  306. }
  307. // Ping送信クラス(Clientクラスを継承)
  308. /**
  309. * Ping class
  310. */
  311. export class Ping extends Client {
  312. private socket: socketio.Socket;
  313. /**
  314. * Emit ping
  315. */
  316. ping() {
  317. this.logger.info("Ping");
  318. // 接続状態をチェック
  319. if (!this.check_connection()) {
  320. this.logger.warn("Has not connect to server.");
  321. return;
  322. }
  323. // 時刻を取得
  324. const d = new Date();
  325. // 送信するデータを定義
  326. const data: Data = {
  327. header: {
  328. type: "PingPong",
  329. time_stamp: d.toISOString(),
  330. uuid: UUID.v4(),
  331. version: 0
  332. },
  333. body: {
  334. time_stamp: [
  335. d.getTime() / 1000
  336. ]
  337. }
  338. };
  339. // データを送信
  340. try {
  341. this.io.compress(true).emit("ping_", data);
  342. this.logger.info("Emit ping data");
  343. this.logger.debug(`Ping data: ${JSON.stringify(data)}, ${this.io.nsp}`);
  344. } catch (e) {
  345. this.logger.error(`Cannot emit pong. ${e}`);
  346. }
  347. }
  348. // pongデータを受信し、RTTを算出
  349. /**
  350. * Get pong data and calculate RTT
  351. * @param msg Pong message
  352. */
  353. protected get_rtt(msg: Data): number {
  354. const data: Data = msg;
  355. // 時刻を算出
  356. const d = new Date();
  357. data.header.time_stamp = d.toISOString();
  358. data.body.time_stamp.push(d.getTime() / 1000);
  359. // RTTを算出
  360. const rtt: number = data.body.time_stamp[data.body.time_stamp.length - 1] - data.body.time_stamp[0];
  361. this.logger.info(`RTT: ${rtt} [s]`);
  362. return rtt;
  363. }
  364. /**
  365. * Set callback events
  366. * @param socket socket instance
  367. */
  368. async set_event (socket: socketio.Socket) {
  369. // ロガー名を設定
  370. this.socket = socket;
  371. this.io.on("pong_", (msg: Data) => {
  372. this.get_rtt(msg);
  373. });
  374. }
  375. }
  376. // Pong返信クラス(Clientクラスを継承)
  377. /**
  378. * Pong class
  379. */
  380. export class Pong extends Client {
  381. /**
  382. * Get ping message and emit pong message
  383. * @param msg Ping message
  384. */
  385. protected pong(msg: Data, socket: socketio.Socket) {
  386. this.logger.info("Pong");
  387. const data: Data = msg;
  388. // 時刻を取得
  389. const d = new Date();
  390. data.header.time_stamp = d.toISOString();
  391. data.body.time_stamp.push(d.getTime() / 1000);
  392. // Pongデータを送信
  393. try {
  394. this.io.compress(true).emit("pong_", data);
  395. this.logger.info("Emit pong data");
  396. this.logger.debug(`Pong data: ${data}`);
  397. } catch (e) {
  398. this.logger.error(`Cannot emit pong. ${e}`);
  399. }
  400. }
  401. /**
  402. * Set callback events
  403. * @param socket socket instance
  404. */
  405. async set_event (socket: socketio.Socket) {
  406. // ロガー名を設定
  407. this.io.on("ping_", (msg: Data) => {
  408. this.pong(msg, socket);
  409. });
  410. }
  411. }
  412. // Sleep関数
  413. /**
  414. * Sleep function
  415. * @param milliseconds Sleep time [ms]
  416. */
  417. function sleep(milliseconds: number) {
  418. return new Promise<void>(resolve => {
  419. setTimeout(() => resolve(), milliseconds);
  420. });
  421. }
  422. // main関数(async: 非同期)
  423. async function main() {
  424. const logger: Logger.Logger = Logger.getLogger("system");
  425. const server = new Server("localhost", 10000, "secret", ["ping", "pong"]);
  426. server.run();
  427. // await: 同期待ち
  428. await sleep(1000);
  429. const ping = new Ping("localhost", 10000, "secret", "ping");
  430. ping.set_logger("ping");
  431. ping.run();
  432. await sleep(1000);
  433. const pong = new Pong("localhost", 10000, "secret", "pong");
  434. pong.set_logger("pong");
  435. pong.run();
  436. await sleep(1000);
  437. ping.ping();
  438. }
  439. exports.main = main;
  440. if (require.main == module) {
  441. main();
  442. }

/test/app.test.ts

テストコードapp.test.tsを記載する。
  1. /**
  2. * SocketIO sample test
  3. * @summary This is socketIO sample test code (get rtt)
  4. * @author EmptySet
  5. * @version 1.0
  6. * @todo Something
  7. */
  8. // app.tsをインポート
  9. import * as rtt from "../src/app";
  10. // ロガーのインポート
  11. import * as Logger from "log4js";
  12. Logger.configure("./param/log-config.json");
  13. const logger = Logger.getLogger("test");
  14. describe("Ping class module test", () => {
  15. const ping = new rtt.Ping("localhost", 10000, "secret", "ping");
  16. it("Set parameters", () => {
  17. expect(ping["url"]).toBe("localhost");
  18. expect(ping["port"]).toBe(10000);
  19. expect(ping["token"]).toBe("secret");
  20. expect(ping["namespace"]).toBe("ping");
  21. });
  22. it("Check connection status function", () => {
  23. expect(ping["check_connection"]()).toBe(false);
  24. ping["set_connection"](true);
  25. expect(ping["check_connection"]()).toBe(true);
  26. ping["set_connection"](false);
  27. expect(ping["check_connection"]()).toBe(false);
  28. });
  29. it("Check rtt calculation function", () => {
  30. const d = new Date();
  31. const data = {
  32. header: {
  33. type: "PingPong",
  34. time_stamp: "2020-04-01T00:00:00.000Z",
  35. uuid: "test",
  36. version: 0
  37. },
  38. body: {
  39. time_stamp: [
  40. d.getTime() / 1000,
  41. 1500000000,
  42. 1500000001
  43. ]
  44. }
  45. };
  46. expect(ping["get_rtt"](data)).toBeLessThanOrEqual(0.01);
  47. });
  48. });

実行時

  1. $npm run start
  2. ...
  3. 10:39:17 PM - Starting compilation in watch mode...
  4. [Typescript]
  5. [Node] [nodemon] 2.0.2
  6. [Node] [nodemon] to restart at any time, enter `rs`
  7. [Node] [nodemon] watching dir(s): *.*
  8. [Node] [nodemon] watching extensions: js,mjs,json
  9. [Node] [nodemon] starting `node dist/src/index.js dist/src/app.js`
  10. [Node] [2020-04-05T22:39:19.023] [INFO] ping - Try connect to server
  11. [Node] [2020-04-05T22:39:19.066] [INFO] server - Connected to client. id: 9tfP7UDHqlCblBzRAAAA
  12. [Node] [2020-04-05T22:39:19.067] [DEBUG] server - Number of connection is 1
  13. [Node] [2020-04-05T22:39:19.076] [INFO] server - Connected to client. id: /ping#9tfP7UDHqlCblBzRAAAA
  14. [Node] [2020-04-05T22:39:19.077] [INFO] ping - Connected to server. id: /ping#9tfP7UDHqlCblBzRAAAA
  15. [Node] [2020-04-05T22:39:20.041] [INFO] pong - Try connect to server
  16. [Node] [2020-04-05T22:39:20.044] [INFO] server - Connected to client. id: wTjYvamapXXZV1yDAAAB
  17. [Node] [2020-04-05T22:39:20.045] [DEBUG] server - Number of connection is 2
  18. [Node] [2020-04-05T22:39:20.046] [INFO] server - Connected to client. id: /pong#wTjYvamapXXZV1yDAAAB
  19. [Node] [2020-04-05T22:39:20.047] [INFO] pong - Connected to server. id: /pong#wTjYvamapXXZV1yDAAAB
  20. [Node] [2020-04-05T22:39:21.044] [INFO] ping - Ping
  21. [Node] [2020-04-05T22:39:21.046] [INFO] ping - Emit ping data
  22. [Node] [2020-04-05T22:39:21.046] [DEBUG] ping - Ping data: {"header":{"type":"PingPong","time_stamp":"2020-04-05T13:39:21.044Z","uuid":"cb6087b4-68d1-447a-b4d2-8e1271b9f735","version":0},"body":{"time_stamp":[1586093961.044]}}, /ping
  23. [Node] [2020-04-05T22:39:21.048] [INFO] server - Get ping. msg: {"header":{"type":"PingPong","time_stamp":"2020-04-05T13:39:21.044Z","uuid":"cb6087b4-68d1-447a-b4d2-8e1271b9f735","version":0},"body":{"time_stamp":[1586093961.044]}}
  24. [Node] [2020-04-05T22:39:21.050] [INFO] pong - Pong
  25. [Node] [2020-04-05T22:39:21.051] [INFO] pong - Emit pong data
  26. [Node] [2020-04-05T22:39:21.051] [DEBUG] pong - Pong data: [object Object]
  27. [Node] [2020-04-05T22:39:21.051] [INFO] server - Get pong. msg: {"header":{"type":"PingPong","time_stamp":"2020-04-05T13:39:21.050Z","uuid":"cb6087b4-68d1-447a-b4d2-8e1271b9f735","version":0},"body":{"time_stamp":[1586093961.044,1586093961.048,1586093961.05]}}
  28. [Node] [2020-04-05T22:39:21.052] [INFO] ping - RTT: 0.00800013542175293 [s]
  29. [Typescript]
  30. ...

まとめ


  • TypescriptでSocketIOの通信モジュールを実装し、nodeで実行する方法を調査、記載した

参考文献



変更履歴


  1. 2020/04/05: 新規作成

0 件のコメント:

コメントを投稿

MQTTの導入

背景 IoTデバイスの接続環境構築のため、MQTT(mosquitto)の導入を行った。 記事の目的 MQTT(mosquitto)をUbuntuに導入する mosquitto ここではmosquittoについて記載する。 MQTT MQTT(Message Qu...