npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

@wally-ax/wax-dev

v0.2.0

Published

WallyAX's developer friendly accessibility test framework

Downloads

201

Readme

WAX Dev Testing Framework

Description

A lightweight and extensive automated accessibility testing framework

As a part of the WallyAX ecosystem accessibility tools, this package helps run accessibility tests on components and can easily be part of existing unit or integration testing.

Installation

Install the package using npm:

npm install @wally-ax/wax-dev

Or using yarn:

yarn add @wally-ax/wax-dev

Usage

Configuration

Create a configuration file named wax.config.js in the root directory of your project. The file should look like this:

module.exports = {
rules: ["image-alt", "list"],
apiKey:  "YOUR_WALLY_DEVELOPER_API_KEY"
};

rules: An array of strings representing rule definitions. Available rules can be found here. An empty array will include all rules.

apiKey: A string required for the wax-dev to work. You can get the api key from WallyAX Developer Portal

Example Usage with Jest Testing Library in a React App

runWax function takes the rendered or pre-rendered html content and options as input.

runWaxUrl function takes the Website URL and options as input.

For a ButtonList component:

import { render } from '@testing-library/react';
import ButtonList from './ButtonList';
const runWax = require('@wally-ax/wax-dev');

describe('ButtonList AX Test', () => {
  test('should have no accessibility violations', async () => {
    const { container } = render(<ButtonList />);
    const ele = JSON.stringify(container.innerHTML);
    const violations = await runWax(ele, { rules: ["images-alt"] });
    expect(violations).toHaveLength(0);
  });
});

Note: the rule configuration at test level will be overridden by the global configuration in wax.config.js

Results

The results will be an array of violations based on the config. Example:

[
  {
    "description": "Ensures <img> elements have alternate text or a role of none or presentation",
    "element": "<img src=\"logo\">",
    "impact": "critical",
    "message": "Images must have alternate text"
  },
  {
    "description": "Ensures every form element has a label",
    "element": "<input type=\"text\">",
    "impact": "critical",
    "message": "Form elements must have labels"
  },
  {
    "description": "Ensures that lists are structured correctly",
    "element": "<ul><p>List item 2</p><li>List item ...</ul>",
    "impact": "serious",
    "message": "<ul> and <ol> must only directly contain <li>, <script> or <template> elements"
  }
]

Example Usage with Cypress Testing Library in a React App

For a Button component:

Button.cy.js

import runWax from '@wally-ax/wax-dev';
import waxConfig from './waxconfig';

let violations;

describe('Button Component Tests', () => {
  it('should have no accessibility violations', () => {
    cy.mount(<Button variant="ghost" size="large">Outline</Button>);
    cy.get('body').then(async ($body) => {
      const ele = $body.html();
      violations = await runWax(ele, waxConfig);
      expect(violations).to.have.lengthOf(0);
    });
  });
  
  it('write_file', () => {
    cy.writeFile('src/components/ui/tests/button_violation.json', violations);
  });
});

Create a waxConfig.js file:

const waxConfig = {
  rules: [],
  apiKey: "API KEY"
};

export default waxConfig;

Results

The results will be an array of violations based on the config. A button_violation.json file will be created and violations will be saved.

Example usage for running URL audit

import { runWaxUrl } from '@wally-ax/wax-dev';
import waxConfig from './waxconfig';

async function performWaxOperation(url, waxConfig) {
    try {
        const resultUrl = await runWaxUrl(url, waxConfig);
        console.log('resultUrl', resultUrl);
    } catch (error) {
        console.error('Error running Wax URL:', error);
    }
}
const url = 'http://example.com'; // Replace with your actual URL

performWaxOperation(url, waxConfig);

Integrate Storybook with WAX Dev

Create a folder inside the .storybook folder.

Inside that folder, create a register.js and panel.js file.

register.js

// .storybook/my-addon/register.js - location
import React from 'react';
import { addons, types } from '@storybook/addons';
import MyPanel from './panel';

const ADDON_ID = 'my-addon';
const PANEL_ID = `${ADDON_ID}/panel`;

addons.register(ADDON_ID, () => {
  addons.add(PANEL_ID, {
    type: types.PANEL,
    title: 'WAX Accessibility Issues',
    render: ({ active, key }) => <MyPanel active={active} key={key} />,
  });
});

panel.js

import React, { useEffect, useState } from 'react';
import { AddonPanel } from '@storybook/components';
import { useParameter } from '@storybook/api';
import { addons } from '@storybook/addons';
import Icon from '@mdi/react';
import { mdiChevronRight } from '@mdi/js';

const ADDON_ID = 'my-addon';
const PANEL_ID = `${ADDON_ID}/panel`;

const MyPanel = ({ active }) => {
  const [violations, setViolations] = useState([]);
  const value = useParameter('myAddonParameter', 'Default information');
  const fetchDataPath = useParameter('fetchDataPath', null);

  useEffect(() => {
    if (fetchDataPath) {
      const fetchData = async () => {
        const response = await fetch(fetchDataPath);
        const result = await response.json();
        setViolations(result);
      };
      fetchData();
    }
  }, [fetchDataPath]);

  const groupedViolations = violations.reduce((acc, violation) => {
    const { description } = violation;
    if (!acc[description]) {
      acc[description] = [];
    }
    acc[description].push(violation);
    return acc;
  }, {});

  return (
    <AddonPanel active={active}>
      <div style={{ padding: '10px' }}>
        {Object.keys(groupedViolations)?.length > 0 ? (
          Object.keys(groupedViolations).map((description, index) => (
            <div key={index} style={{ marginBottom: '10px', border: '1px solid #ccc', borderRadius: '4px' }}>
              <button
                onClick={() => {
                  const content = document.getElementById(`group-${index}-content`);
                  if (content.style.display === 'none') {
                    content.style.display = 'block';
                  } else {
                    content.style.display = 'none';
                  }
                }}
                style={{
                  display: 'flex',
                  alignItems: 'center',
                  width: '100%',
                  border: 'none',
                  padding: '10px',
                  textAlign: 'left',
                  cursor: 'pointer',
                  fontWeight: 'bold',
                }}
              >
                <Icon path={mdiChevronRight} size={1} />
                {description}
              </button>
              <div id={`group-${index}-content`} style={{ display: 'none', padding: '10px' }}>
                {groupedViolations[description].map((violation, idx) => (
                  <div key={idx} style={{ marginBottom: '10px' }}>
                    <p style={{ margin: '0 0 10px' }}>
                      <span style={{ fontWeight: 'bold', fontSize: '16px' }}>Violation {idx + 1}:</span>
                    </p>
                    <p style={{ margin: '0 0 10px' }}>
                      <span style={{ color: '#fff', backgroundColor: '#ff4400', borderRadius: '9999px', padding: '2px 6px' }}>
                        {violation.severity}
                      </span>
                    </p>
                    <p style={{ margin: '0 0 10px', fontSize: '14px' }}>
                      <span style={{ fontWeight: 'bold' }}>Message:</span> {violation.message}
                    </p>
                    <pre style={{ whiteSpace: 'pre-wrap', wordWrap: 'break-word' }}>
                      {violation.element}
                    </pre>
                  </div>
                ))}
              </div>
            </div>
          ))
        ) : (
          <p style={{ textAlign: 'center', fontSize: '16px', fontWeight: 'bold' }}>
            No accessibility violations found.
          </p>
        )}
      </div>
    </AddonPanel>
  );
};

export default MyPanel;

Add parameters in the stories with the respective test result file name. For example, for the Button component:

parameters: {
  myAddonParameter: 'This is constant information for the Button component.',
  fetchDataPath: 'src/components/ui/tests/button_violation.json'
}

Button.stories.jsx

import React from 'react';
import { Button } from '@/components/ui/button';

export default {
  title: 'Components/Button',
  component: Button,
  argTypes: {
    asChild: {
      control: 'boolean',
    },
  },
  parameters: {
    myAddonParameter: 'This is constant information for the Button component.',
    fetchDataPath: 'src/components/ui/tests/button_violation.json'
  },
};

const Template = (args) => <Button {...args}>Button</Button>;

export const Default = Template.bind({});
Default.args = {
  variant: 'default',
  size: 'medium',
};

Note: Run the test before starting the Storybook.

You will see the new panel named "Wax-Dev" with violations in storybook.

License

Mozilla Public License Version 2.0 (see license.txt)

WAX Dev is licensed as Mozilla Public License Version 2.0 and the copyright is owned by Wally Solutions Pvt Ltd and Contributors.

By contributing to WAX Dev, you agree that your contributions will be licensed under its Mozilla Public License Version 2.0.