mirror of
https://github.com/nasa/openmct.git
synced 2024-12-19 21:27:52 +00:00
5b4ee1949f
* fix: resize conductor properly * refactor: more computed properties, unregister listener * fix: beforeUnmounted hook * test(visual): add time conductor visual test for fixed mode * fix: initialize to `null` * feat: extend the base `screenshot` function to mask elements which will always create variance in an Open MCT screenshot * docs: add types for fixtures * fix: remove unneeded await * chore: add sinon timers types package back * docs: remove unused docs * doc: remove unused docs * test: add visual realtime url, update imports * feat: provide wrapped page.screenshot fixture that applies defaults * test: add basic timeConductor snapshot tests * chore: update eslint config * lint: remove unused disable directives * test: remove redundant navigation * fix: remove listeners * fix: maybe stabilize unit tests * docs: remove * fix: provide sourcemaps in unit tests * test: add regression snapshot test for time conductor axis * lint: remove unused imports * feat(e2e): add fixture to manually tick the clock and use it * test: reactivate test now that we don't use deploysentinel :( * test: update snapshots * test: add test for clockOptions and tick fixtures * test: add afterEach stub and fixme * test: try and stabilize fault management flake * lint: defy the word gods * chore: ignore `*-darwin.png` screenshots * chore: remove darwin screenshot binaries * docs: markdownlint * docs: remove MacOS specific instructions from snapshot testing * fix: remove a11y
137 lines
5.8 KiB
JavaScript
137 lines
5.8 KiB
JavaScript
/*****************************************************************************
|
|
* Open MCT, Copyright (c) 2014-2024, United States Government
|
|
* as represented by the Administrator of the National Aeronautics and Space
|
|
* Administration. All rights reserved.
|
|
*
|
|
* Open MCT is licensed under the Apache License, Version 2.0 (the
|
|
* "License"); you may not use this file except in compliance with the License.
|
|
* You may obtain a copy of the License at
|
|
* http://www.apache.org/licenses/LICENSE-2.0.
|
|
*
|
|
* Unless required by applicable law or agreed to in writing, software
|
|
* distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
|
* WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
|
* License for the specific language governing permissions and limitations
|
|
* under the License.
|
|
*
|
|
* Open MCT includes source code licensed under additional open source
|
|
* licenses. See the Open Source Licenses file (LICENSES.md) included with
|
|
* this source code distribution or the Licensing information page available
|
|
* at runtime from the About dialog for additional information.
|
|
*****************************************************************************/
|
|
|
|
/**
|
|
* avpFixtures.js
|
|
*
|
|
* @file This module provides custom fixtures specifically tailored for Accessibility, Visual, and Performance (AVP) tests.
|
|
* These fixtures extend the base functionality of the Playwright fixtures and appActions, and are designed to be
|
|
* generalized across all plugins. They offer functionalities like scanning for accessibility violations, integrating
|
|
* with axe-core, and more.
|
|
*
|
|
* IMPORTANT NOTE: This fixture file is not intended to be extended further by other fixtures. If you find yourself
|
|
* needing to do so, please consult the documentation and consider creating a specialized fixture or modifying the
|
|
* existing ones.
|
|
*/
|
|
|
|
import AxeBuilder from '@axe-core/playwright';
|
|
import fs from 'fs';
|
|
import path from 'path';
|
|
import { fileURLToPath } from 'url';
|
|
|
|
import { expect, test } from './pluginFixtures.js';
|
|
// Constants for repeated values
|
|
const __dirname = path.dirname(fileURLToPath(import.meta.url));
|
|
const TEST_RESULTS_DIR = path.join(__dirname, './test-results');
|
|
|
|
const extendedTest = test.extend({
|
|
/**
|
|
* Overrides the default screenshot function to apply default options that should apply to all
|
|
* screenshots taken in the AVP tests.
|
|
*
|
|
* @param {import('@playwright/test').PlaywrightTestArgs} args - The Playwright test arguments.
|
|
* @param {Function} use - The function to use the page object.
|
|
* Defaults:
|
|
* - Disables animations
|
|
* - Masks the clock indicator
|
|
* - Masks the time conductor last update time in realtime mode
|
|
* - Masks the time conductor start bounds in fixed mode
|
|
* - Masks the time conductor end bounds in fixed mode
|
|
*/
|
|
page: async ({ page }, use) => {
|
|
const playwrightScreenshot = page.screenshot;
|
|
|
|
/**
|
|
* Override the screenshot function to always mask a given set of locators which will always
|
|
* show variance across screenshots. Defaults may be overridden by passing in options to the
|
|
* screenshot function.
|
|
* @param {import('@playwright/test').PageScreenshotOptions} options - The options for the screenshot.
|
|
* @returns {Promise<Buffer>} Returns the screenshot as a buffer.
|
|
*/
|
|
page.screenshot = async function (options = {}) {
|
|
const mask = [
|
|
this.getByLabel('Clock Indicator'), // Mask the clock indicator
|
|
this.getByLabel('Last update'), // Mask the time conductor last update time in realtime mode
|
|
this.getByLabel('Start bounds'), // Mask the time conductor start bounds in fixed mode
|
|
this.getByLabel('End bounds') // Mask the time conductor end bounds in fixed mode
|
|
];
|
|
|
|
const result = await playwrightScreenshot.call(this, {
|
|
animations: 'disabled',
|
|
mask,
|
|
...options // Pass through or override any options
|
|
});
|
|
return result;
|
|
};
|
|
|
|
await use(page);
|
|
}
|
|
});
|
|
|
|
/**
|
|
* Scans for accessibility violations on a page and writes a report to disk if violations are found.
|
|
* Automatically asserts that no violations should be present.
|
|
*
|
|
* @param {import('playwright').Page} page - The page object from Playwright.
|
|
* @param {string} testCaseName - The name of the test case.
|
|
* @param {{ reportName?: string }} [options={}] - The options for the report generation.
|
|
* @returns {Promise<Object|null>} Returns the accessibility scan results if violations are found, otherwise returns null.
|
|
*/
|
|
|
|
export async function scanForA11yViolations(page, testCaseName, options = {}) {
|
|
const builder = new AxeBuilder({ page });
|
|
builder.withTags(['wcag2aa']);
|
|
// https://github.com/dequelabs/axe-core/blob/develop/doc/rule-descriptions.md
|
|
const accessibilityScanResults = await builder.analyze();
|
|
|
|
// Assert that no violations should be present
|
|
expect(
|
|
accessibilityScanResults.violations,
|
|
`Accessibility violations found in test case: ${testCaseName}`
|
|
).toEqual([]);
|
|
|
|
// Check if there are any violations
|
|
if (accessibilityScanResults.violations.length > 0) {
|
|
let reportName = options.reportName || testCaseName;
|
|
let sanitizedReportName = reportName.replace(/\//g, '_');
|
|
const reportPath = path.join(TEST_RESULTS_DIR, `${sanitizedReportName}.json`);
|
|
|
|
try {
|
|
if (!fs.existsSync(TEST_RESULTS_DIR)) {
|
|
fs.mkdirSync(TEST_RESULTS_DIR);
|
|
}
|
|
|
|
fs.writeFileSync(reportPath, JSON.stringify(accessibilityScanResults, null, 2));
|
|
console.log(`Accessibility report with violations saved successfully as ${reportPath}`);
|
|
return accessibilityScanResults;
|
|
} catch (err) {
|
|
console.error(`Error writing the accessibility report to file ${reportPath}:`, err);
|
|
throw err;
|
|
}
|
|
} else {
|
|
console.log('No accessibility violations found, no report generated.');
|
|
return null;
|
|
}
|
|
}
|
|
|
|
export { expect, extendedTest as test };
|