UNPKG

@decaf-ts/utils

Version:

module management utils for decaf-ts

300 lines 12.8 kB
"use strict"; var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { if (k2 === undefined) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); }) : (function(o, m, k, k2) { if (k2 === undefined) k2 = k; o[k2] = m[k]; })); var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); }) : function(o, v) { o["default"] = v; }); var __importStar = (this && this.__importStar) || (function () { var ownKeys = function(o) { ownKeys = Object.getOwnPropertyNames || function (o) { var ar = []; for (var k in o) if (Object.prototype.hasOwnProperty.call(o, k)) ar[ar.length] = k; return ar; }; return ownKeys(o); }; return function (mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) for (var k = ownKeys(mod), i = 0; i < k.length; i++) if (k[i] !== "default") __createBinding(result, mod, k[i]); __setModuleDefault(result, mod); return result; }; })(); var __importDefault = (this && this.__importDefault) || function (mod) { return (mod && mod.__esModule) ? mod : { "default": mod }; }; Object.defineProperty(exports, "__esModule", { value: true }); exports.TestReporter = exports.JestReportersTempPathEnvKey = void 0; const path_1 = __importDefault(require("path")); const fs_1 = __importDefault(require("fs")); const fs_2 = require("./../utils/fs.cjs"); /** * @description Environment variable key for Jest HTML reporters temporary directory path * @summary Constant defining the environment variable key for Jest HTML reporters * @const JestReportersTempPathEnvKey * @memberOf module:utils */ exports.JestReportersTempPathEnvKey = "JEST_HTML_REPORTERS_TEMP_DIR_PATH"; /** * @description Array of dependencies required by the test reporter * @summary List of npm packages needed for reporting functionality * @const dependencies * @memberOf module:utils */ const dependencies = ["jest-html-reporters", "json2md", "chartjs-node-canvas"]; /** * @description Normalizes imports to handle both CommonJS and ESModule formats * @summary Utility function to handle module import differences between formats * @template T - Type of the imported module * @param {Promise<T>} importPromise - Promise returned by dynamic import * @return {Promise<T>} Normalized module * @function normalizeImport * @memberOf module:utils */ async function normalizeImport(importPromise) { // CommonJS's `module.exports` is wrapped as `default` in ESModule. return importPromise.then((m) => (m.default || m)); } /** * @description Test reporting utility class for managing test results and evidence * @summary A comprehensive test reporter that handles various types of test artifacts including messages, * attachments, data, images, tables, and graphs. It provides methods to report and store test evidence * in different formats and manages dependencies for reporting functionality. * * @template T - Type of data being reported * @param {string} [testCase="tests"] - Name of the test case * @param {string} [basePath] - Base path for storing test reports * @class * * @example * ```typescript * const reporter = new TestReporter('login-test'); * * // Report test messages * await reporter.reportMessage('Test Started', 'Login flow initiated'); * * // Report test data * await reporter.reportData('user-credentials', { username: 'test' }, 'json'); * * // Report test results table * await reporter.reportTable('test-results', { * headers: ['Step', 'Status'], * rows: [ * { Step: 'Login', Status: 'Pass' }, * { Step: 'Validation', Status: 'Pass' } * ] * }); * * // Report test evidence * await reporter.reportAttachment('Screenshot', screenshotBuffer); * ``` * * @mermaid * sequenceDiagram * participant Client * participant TestReporter * participant FileSystem * participant Dependencies * * Client->>TestReporter: new TestReporter(testCase, basePath) * TestReporter->>FileSystem: Create report directory * * alt Report Message * Client->>TestReporter: reportMessage(title, message) * TestReporter->>Dependencies: Import helpers * TestReporter->>FileSystem: Store message * else Report Data * Client->>TestReporter: reportData(reference, data, type) * TestReporter->>Dependencies: Process data * TestReporter->>FileSystem: Store formatted data * else Report Table * Client->>TestReporter: reportTable(reference, tableDef) * TestReporter->>Dependencies: Convert to MD format * TestReporter->>FileSystem: Store table * end */ class TestReporter { constructor(testCase = "tests", basePath = path_1.default.join(process.cwd(), "workdocs", "reports", "evidences")) { this.testCase = testCase; this.basePath = basePath; this.basePath = path_1.default.join(basePath, this.testCase); if (!fs_1.default.existsSync(this.basePath)) { fs_1.default.mkdirSync(basePath, { recursive: true }); } } /** * @description Imports required helper functions * @summary Ensures all necessary dependencies are available and imports helper functions * @return {Promise<void>} Promise that resolves when helpers are imported */ async importHelpers() { this.deps = await (0, fs_2.installIfNotAvailable)([dependencies[0]], this.deps); // if (!process.env[JestReportersTempPathEnvKey]) // process.env[JestReportersTempPathEnvKey] = './workdocs/reports'; const { addMsg, addAttach } = await normalizeImport(Promise.resolve(`${`${dependencies[0]}/helper`}`).then(s => __importStar(require(s)))); TestReporter.addMsgFunction = addMsg; TestReporter.addAttachFunction = addAttach; } /** * @description Reports a message to the test report * @summary Adds a formatted message to the test report with an optional title * @param {string} title - Title of the message * @param {string | object} message - Content of the message * @return {Promise<void>} Promise that resolves when the message is reported */ async reportMessage(title, message) { if (!TestReporter.addMsgFunction) await this.importHelpers(); const msg = `${title}${message ? `\n${message}` : ""}`; await TestReporter.addMsgFunction({ message: msg }); } /** * @description Reports an attachment to the test report * @summary Adds a formatted message to the test report with an optional title * @param {string} title - Title of the message * @param {string | Buffer} attachment - Content of the message * @return {Promise<void>} Promise that resolves when the message is reported */ async reportAttachment(title, attachment) { if (!TestReporter.addAttachFunction) await this.importHelpers(); await TestReporter.addAttachFunction({ attach: attachment, description: title, }); } /** * @description Reports data with specified type * @summary Processes and stores data in the test report with formatting * @param {string} reference - Reference identifier for the data * @param {string | number | object} data - Data to be reported * @param {PayloadType} type - Type of the payload * @param {boolean} [trim=false] - Whether to trim the data * @return {Promise<void>} Promise that resolves when data is reported */ async report(reference, data, type, trim = false) { try { let attachFunction = this.reportMessage.bind(this); let extension = ".txt"; switch (type) { case "image": data = Buffer.from(data); extension = ".png"; attachFunction = this.reportAttachment.bind(this); break; case "json": if (trim) { if (data.request) delete data["request"]; if (data.config) delete data["config"]; } data = JSON.stringify(data, null, 2); extension = ".json"; break; case "md": extension = ".md"; break; case "text": extension = ".txt"; break; default: console.log(`Unsupported type ${type}. assuming text`); } reference = reference.includes("\n") ? reference : `${reference}${extension}`; await attachFunction(reference, data); } catch (e) { throw new Error(`Could not store attach artifact ${reference} under to test report ${this.testCase} - ${e}`); } } /** * @description Reports data with a specified type * @summary Wrapper method for reporting various types of data * @param {string} reference - Reference identifier for the data * @param {string | number | object} data - Data to be reported * @param {PayloadType} [type="json"] - Type of the payload * @param {boolean} [trim=false] - Whether to trim the data * @return {Promise<void>} Promise that resolves when data is reported */ async reportData(reference, data, type = "json", trim = false) { return this.report(reference, data, type, trim); } /** * @description Reports a JSON object * @summary Convenience method for reporting JSON objects * @param {string} reference - Reference identifier for the object * @param {object} json - JSON object to be reported * @param {boolean} [trim=false] - Whether to trim the object * @return {Promise<void>} Promise that resolves when object is reported */ async reportObject(reference, json, trim = false) { return this.report(reference, json, "json", trim); } /** * @description Reports a table in markdown format * @summary Converts and stores a table definition in markdown format * @param {string} reference - Reference identifier for the table * @param {MdTableDefinition} tableDef - Table definition object * @return {Promise<void>} Promise that resolves when table is reported */ async reportTable(reference, tableDef) { this.deps = await (0, fs_2.installIfNotAvailable)([dependencies[1]], this.deps); let txt; try { const json2md = await normalizeImport(Promise.resolve(`${`${dependencies[1]}`}`).then(s => __importStar(require(s)))); txt = json2md(tableDef); } catch (e) { throw new Error(`Could not convert JSON to Markdown - ${e}`); } return this.report(reference, txt, "md"); } /** * @description Reports a graph using Chart.js * @summary Generates and stores a graph visualization * @param {string} reference - Reference identifier for the graph * @param {any} config - Chart.js configuration object * @return {Promise<void>} Promise that resolves when graph is reported */ async reportGraph(reference, config) { this.deps = await (0, fs_2.installIfNotAvailable)([dependencies[2]], this.deps); const { ChartJSNodeCanvas } = await normalizeImport(Promise.resolve(`${dependencies[2]}`).then(s => __importStar(require(s)))); const width = 600; //px const height = 800; //px const backgroundColour = "white"; // Uses https://www.w3schools.com/tags/canvas_fillstyle.asp const chartJSNodeCanvas = new ChartJSNodeCanvas({ width, height, backgroundColour, }); const image = await chartJSNodeCanvas.renderToBuffer(config); return await this.reportImage(reference, image); } /** * @description Reports an image to the test report * @summary Stores an image buffer in the test report * @param {string} reference - Reference identifier for the image * @param {Buffer} buffer - Image data buffer * @return {Promise<void>} Promise that resolves when image is reported */ async reportImage(reference, buffer) { return this.report(reference, buffer, "image"); } } exports.TestReporter = TestReporter; //# sourceMappingURL=TestReporter.js.map