Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

chore: Fix linting errors #3350

Merged
merged 6 commits into from
Apr 2, 2025
Merged
Show file tree
Hide file tree
Changes from 5 commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 2 additions & 1 deletion .eslintrc.js
Original file line number Diff line number Diff line change
Expand Up @@ -27,6 +27,7 @@ module.exports = {
'jest',
],
rules: {
'@typescript-eslint/no-unused-expressions': ['error', { allowShortCircuit: true, allowTernary: true }],
'@typescript-eslint/no-empty-function': 'off',
'@typescript-eslint/no-namespace': 'off',
'@typescript-eslint/no-unused-vars': 'error',
Expand Down Expand Up @@ -113,7 +114,7 @@ module.exports = {
{
files: ['*.js', 'build-tools/**'],
rules: {
'@typescript-eslint/no-var-requires': 'off',
'@typescript-eslint/no-require-imports': 'off',
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

},
env: {
browser: false,
Expand Down
2 changes: 1 addition & 1 deletion package.json
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,7 @@
"test:integ": "gulp test:integ",
"test:motion": "gulp test:motion",
"lint": "npm-run-all --parallel lint:*",
"lint:eslint": "exit 0",
"lint:eslint": "eslint --ignore-path .gitignore --ext ts,tsx,js .",
"lint:stylelint": "stylelint --ignore-path .gitignore --fix '{src,pages}/**/*.{css,scss}'",
"start": "npm-run-all --parallel start:watch start:dev",
"start:watch": "gulp watch",
Expand Down
2 changes: 1 addition & 1 deletion pages/select/select.test.async.page.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -101,7 +101,7 @@ export default class App extends React.Component {
status: hasNextPage ? 'pending' : 'finished',
options: this.pageNumber === 0 ? items : this.state.options.concat(items),
});
} catch (error) {
} catch {
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Unused and since its part of our dev pages it is safe to remove.

this.setState({
status: 'error',
});
Expand Down
4 changes: 2 additions & 2 deletions src/__tests__/functional-tests/public-exports.test.ts
Original file line number Diff line number Diff line change
@@ -1,11 +1,11 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import { readFileSync } from 'fs';
import path from 'path';

// There are no typings for package.json
// eslint-disable-next-line @typescript-eslint/no-var-requires
const packageJson = require('../../../lib/components/package.json');
const packageJson = JSON.parse(readFileSync(path.join(__dirname, '../../../lib/components/package.json'), 'utf-8'));

test('all exports declarations resolve to a file', () => {
for (const exportPath of Object.values<string>(packageJson.exports)) {
Expand Down
2 changes: 1 addition & 1 deletion src/__tests__/functional-tests/ssr.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -52,6 +52,6 @@ describe.each(vrOnlyComponents)('VR only component %s', componentName => {
test('should throw an error in classic', () => {
const { default: Component } = requireComponent(componentName);
const props = getRequiredPropsForComponent(componentName);
expect(() => renderToStaticMarkup(React.createElement(Component, props, 'test content'))).toThrowError();
expect(() => renderToStaticMarkup(React.createElement(Component, props, 'test content'))).toThrow();
});
});
5 changes: 3 additions & 2 deletions src/__tests__/snapshot-tests/test-utils-selectors.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ import glob from 'glob';
import { flatten, zip } from 'lodash';
import path from 'path';

// eslint-disable-next-line @typescript-eslint/no-require-imports
const defaultPlugins = [require('@babel/plugin-syntax-typescript')] as const;

// The test extracts generated selectors from the compiled output and matches those against the snapshot.
Expand Down Expand Up @@ -86,11 +87,11 @@ function extractSelectorProperties(file: string, onExtract: (filePath: string, p
} as PluginObj;
}
const source = fs.readFileSync(file, 'utf-8');
transformSync(source, { babelrc: false, configFile: false, plugins: [...defaultPlugins, extractor] })?.code;
Copy link
Member Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It's a bit unclear what the original code was doing. Any ideas?

transformSync(source, { babelrc: false, configFile: false, plugins: [...defaultPlugins, extractor] });
}

function extractComponentSelectors(file: string, usedProperties: string[], onExtract: (selector: string) => void) {
// eslint-disable-next-line @typescript-eslint/no-var-requires
// eslint-disable-next-line @typescript-eslint/no-require-imports
const source = require(file);
if (typeof source.default !== 'object') {
throw new Error(`Unexpected selectors file format at ${file}.`);
Expand Down
7 changes: 4 additions & 3 deletions src/__tests__/utils.tsx
Original file line number Diff line number Diff line change
@@ -1,5 +1,3 @@
/* eslint-env node */
/* eslint-disable header/header */
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0
import React from 'react';
Expand Down Expand Up @@ -62,16 +60,19 @@ function wrap({ default: Component }: { default: React.ComponentType }, Wrapper:

export function requireComponent(componentName: string): any {
if (componentName === 'split-panel') {
// eslint-disable-next-line @typescript-eslint/no-var-requires
// eslint-disable-next-line @typescript-eslint/no-require-imports
return wrap(require(path.join(componentsDir, 'split-panel')), WrappedSplitPanel);
}
// eslint-disable-next-line @typescript-eslint/no-require-imports
return require(path.join(componentsDir, componentName));
}

export function requireComponentDefinition(componentName: string): any {
// eslint-disable-next-line @typescript-eslint/no-require-imports
return require(path.join(definitionsDir, componentName));
}

export function requireDesignTokensFile(fileName: string): any {
// eslint-disable-next-line @typescript-eslint/no-require-imports
return require(path.join(designTokensDir, fileName));
}
Original file line number Diff line number Diff line change
Expand Up @@ -43,7 +43,7 @@ describe('AnchorNavigation', () => {
setupTest(async page => {
// Get element position in page
const targetAnchorLink = wrapper.findAnchorLinkByHref('#section-1-1-1');
expect(await page.getElementAttribute(targetAnchorLink.toSelector(), 'aria-current')).toBeNull;
expect(await page.getElementAttribute(targetAnchorLink.toSelector(), 'aria-current')).toBeNull();
await page.click(targetAnchorLink.toSelector());
await page.waitForVisible('#section-1-1-1');
return expect(await page.getElementAttribute(targetAnchorLink.toSelector(), 'aria-current')).toBe('true');
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -30,7 +30,7 @@ describe('AppLayoutToolbar component', () => {
test('throws an error when use in classic theme', () => {
globalWithFlags[Symbol.for('awsui-visual-refresh-flag')] = () => false;

expect(() => render(<AppLayoutToolbar content={<div></div>} />)).toThrowError(
expect(() => render(<AppLayoutToolbar content={<div></div>} />)).toThrow(
'AppLayoutToolbar component is not supported in the Classic theme. Please switch to the Refresh theme. For more details, refer to the documentation.'
);
});
Expand Down
4 changes: 2 additions & 2 deletions src/app-layout/__tests__/desktop.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -304,7 +304,7 @@ describeEachAppLayout({ themes: ['classic'], sizes: ['desktop'] }, () => {

describeEachAppLayout({ themes: ['refresh', 'refresh-toolbar'], sizes: ['desktop'] }, ({ theme }) => {
const styles = theme === 'refresh' ? visualRefreshStyles : toolbarStyles;
test('renders roles only when aria labels are not provided', () => {
test(`${theme} - renders roles only when aria labels are not provided`, () => {
const { wrapper } = renderComponent(<AppLayout navigationHide={true} drawers={[testDrawerWithoutLabels]} />);

expect(wrapper.findDrawerTriggerById(testDrawer.id)!.getElement()).not.toHaveAttribute('aria-label');
Expand All @@ -314,7 +314,7 @@ describeEachAppLayout({ themes: ['refresh', 'refresh-toolbar'], sizes: ['desktop
expect(wrapper.findByClassName(styles['drawers-trigger-content'])!.getElement()).toHaveAttribute('role', 'toolbar');
});

test('renders roles and aria labels when provided', () => {
test(`${theme} - renders roles and aria labels when provided`, () => {
const { wrapper } = renderComponent(<AppLayout drawers={[testDrawer]} ariaLabels={{ drawers: 'Drawers' }} />);

expect(wrapper.findDrawerTriggerById('security')!.getElement()).toHaveAttribute(
Expand Down
2 changes: 1 addition & 1 deletion src/app-layout/__tests__/header-variant.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -54,7 +54,7 @@ describeEachAppLayout({ themes: ['refresh', 'refresh-toolbar'], sizes: ['desktop
});

describeEachAppLayout({ themes: ['refresh', 'refresh-toolbar'], sizes: ['mobile'] }, ({ theme }) => {
describe('headerVariant', () => {
describe(`${theme} - headerVariant`, () => {
test('default', () => {
const { wrapper } = renderComponent(
<AppLayout notifications="Notifications" breadcrumbs="Breadcrumbs" content="aaa" />
Expand Down
2 changes: 1 addition & 1 deletion src/area-chart/__integ__/page-objects/area-chart-page.ts
Original file line number Diff line number Diff line change
Expand Up @@ -43,7 +43,7 @@ export default class AreaChartPageObject extends BasePageObject {
try {
const label = await this.getElementAttribute(selector, 'aria-label');
return label;
} catch (ignore) {
} catch {
return null;
}
}
Expand Down
48 changes: 23 additions & 25 deletions src/attribute-editor/__tests__/attribute-editor.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -487,6 +487,29 @@ describe('Attribute Editor', () => {
expectRowErrorTextContent(wrapper, 0, ['Error with key 0']);
expect(wrapper.findRow(1)!.findFields()[0].findWarning()).toBe(null);
});

test('should warn if no layout supplied for >6 attributes', () => {
render(<AttributeEditor {...defaultProps} definition={new Array(7)} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'`gridLayout` is required for more than 6 attributes. Cannot render.'
);
});
test('should warn if no grid layout found for current breakpoint', () => {
containerQueryBreakpoint = 'm';
render(<AttributeEditor {...defaultProps} gridLayout={[{ breakpoint: 'xl', rows: [] }]} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'No `gridLayout` entry found for breakpoint m. Cannot render.'
);
});
test('should warn if grid layout does not match definition', () => {
render(<AttributeEditor {...defaultProps} gridLayout={[{ rows: [[1]] }]} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'Incorrect number of columns in layout (1) for definition (3). Cannot render.'
);
});
});

describe('form submission', () => {
Expand Down Expand Up @@ -670,29 +693,4 @@ describe('Attribute Editor', () => {
expect(useContainerQuery).toHaveBeenCalledWith(expect.any(Function), ['default,xl,s']);
});
});

describe('warnings', () => {
test('should warn if no layout supplied for >6 attributes', () => {
render(<AttributeEditor {...defaultProps} definition={new Array(7)} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'`gridLayout` is required for more than 6 attributes. Cannot render.'
);
});
test('should warn if no grid layout found for current breakpoint', () => {
containerQueryBreakpoint = 'm';
render(<AttributeEditor {...defaultProps} gridLayout={[{ breakpoint: 'xl', rows: [] }]} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'No `gridLayout` entry found for breakpoint m. Cannot render.'
);
});
test('should warn if grid layout does not match definition', () => {
render(<AttributeEditor {...defaultProps} gridLayout={[{ rows: [[1]] }]} />);
expect(console.warn).toHaveBeenCalledWith(
'AttributeEditor',
'Incorrect number of columns in layout (1) for definition (3). Cannot render.'
);
});
});
});
1 change: 0 additions & 1 deletion src/calendar/utils/__tests__/navigation-month.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,6 @@ function disableMonths(...blockedDates: string[]) {

describe('moveMonth', () => {
const baseDate = new Date('2024-01-01');
4;

test('moves forward to the next active month', () => {
const isDateFocusable = (date: Date) => date.getMonth() === 2; // Only March is active
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -32,7 +32,7 @@ describe('Striped rows', () => {
wrapper.findTriggerButton().click();
isChecked(wrapper);
});
test('displays as checked when value specified in preferences property is true', () => {
test('does not display as checked when value specified in preferences property is false', () => {
const wrapper = renderWithStripedRows({ preferences: { stripedRows: false }, onConfirm: () => {} });
wrapper.findTriggerButton().click();
isChecked(wrapper, false);
Expand Down
4 changes: 2 additions & 2 deletions src/collection-preferences/__tests__/wrap-lines.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -27,12 +27,12 @@ describe('Wrap lines', () => {
'Wrap lines description'
);
});
test('displays as checked when value specified in preferences property is true', () => {
test('lines are wrapped when value specified in preferences property is true', () => {
const wrapper = renderwithWrapLines({ preferences: { wrapLines: true }, onConfirm: () => {} });
wrapper.findTriggerButton().click();
isChecked(wrapper);
});
test('displays as checked when value specified in preferences property is true', () => {
test('lines are not wrapped when value specified in preferences property is false', () => {
const wrapper = renderwithWrapLines({ preferences: { wrapLines: false }, onConfirm: () => {} });
wrapper.findTriggerButton().click();
isChecked(wrapper, false);
Expand Down
2 changes: 1 addition & 1 deletion src/content-layout/__tests__/content-layout.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -77,7 +77,7 @@ function renderContentLayout(props: ContentLayoutProps = {}) {
expect(wrapper.findNotifications()!.getElement()).toHaveTextContent('Notifications');
});

test('renders notifications slot', () => {
test('renders breadcrumbs slot', () => {
const { wrapper } = renderContentLayout({
breadcrumbs: <>Breadcrumbs</>,
});
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -210,7 +210,7 @@ describe('Date range picker calendar with month granularity', () => {
expect(findFocusableMonthText(wrapper)).toBe('Feb');
});

test('should go to the previous year via left', () => {
test('should go to the previous year via up', () => {
Mockdate.set(new Date('2018-03-01T12:30:20'));

const { wrapper } = renderDateRangePicker({ ...defaultProps, value: null });
Expand Down
2 changes: 1 addition & 1 deletion src/form-field/__tests__/form-field-control-id.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -65,7 +65,7 @@ describe('controlId', () => {
expect(wrapper.findLabel()?.getElement()).toHaveAttribute('for', formFieldControlId);
expect(wrapper.findDescription()?.getElement().id).toBe(`${formFieldControlId}-description`);
expect(wrapper.find(errorSelector)?.getElement().id).toBe(`${formFieldControlId}-error`);
expect(wrapper.find(warningSelector)).toBeUndefined;
expect(wrapper.find(warningSelector)).toBeNull();
expect(wrapper.findConstraint()?.getElement().id).toBe(`${formFieldControlId}-constraint`);
});

Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -99,23 +99,9 @@ describe('Child dropdown', () => {
}
)
);

test(
'opens to the bottom right and wraps text',
setupChildTest(
'#/light/dropdown/interior-with-wrapping',
'parentDropdown5',
'childDropdown5',
async (parentDropdown, childDropdown) => {
const parentDropdownPosition = await parentDropdown.getBoundingBox(parentDropdown.getOpenDropdown());
const childDropdownPosition = await childDropdown.getBoundingBox(childDropdown.getOpenDropdown());
const childTriggerPosition = await childDropdown.getBoundingBox(childDropdown.getTrigger());
expect(childDropdownPosition.right).toBeGreaterThan(parentDropdownPosition.right);
expect(childTriggerPosition.bottom).toBeLessThan(childDropdownPosition.bottom);
}
)
);
test(
'opens to the bottom right and wraps text',
'opens to the top left and wraps text',
setupChildTest(
'#/light/dropdown/interior-with-wrapping',
'parentDropdown6',
Expand Down
4 changes: 2 additions & 2 deletions src/internal/events/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,9 +3,9 @@
import React from 'react';

// This is a part of our public types API. We cannot change this in the current major version
// eslint-disable-next-line @typescript-eslint/ban-types
// eslint-disable-next-line @typescript-eslint/no-empty-object-type
export type NonCancelableEventHandler<Detail = {}> = (event: NonCancelableCustomEvent<Detail>) => void;
// eslint-disable-next-line @typescript-eslint/ban-types
// eslint-disable-next-line @typescript-eslint/no-empty-object-type
export type CancelableEventHandler<Detail = {}> = (event: CustomEvent<Detail>) => void;

export type NonCancelableCustomEvent<DetailType> = Omit<CustomEvent<DetailType>, 'preventDefault'>;
Expand Down
3 changes: 3 additions & 0 deletions src/internal/plugins/api.ts
Original file line number Diff line number Diff line change
Expand Up @@ -51,6 +51,9 @@ function findUpApi(currentWindow: WindowWithApi): AwsuiApi | undefined {
}

return findUpApi(currentWindow.parent as WindowWithApi);

// Consumers in the past have not always been able to support not specifiying the value so we keep and ignore
// eslint-disable-next-line @typescript-eslint/no-unused-vars
} catch (ex) {
// Most likely a cross-origin access error
return undefined;
Expand Down
3 changes: 3 additions & 0 deletions src/internal/utils/check-safe-url.ts
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,9 @@ export function checkSafeUrl(component: string, url: string | undefined | null):
let parsedUrl: URL;
try {
parsedUrl = new URL(url);

// Consumers in the past have not always been able to support not specifiying the value so we keep and ignore
// eslint-disable-next-line @typescript-eslint/no-unused-vars
} catch (e) {
// If the URL cannot be parsed by the browser, it likely does not pose a security risk.
return;
Expand Down
2 changes: 1 addition & 1 deletion src/live-region/__tests__/live-region.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -9,7 +9,7 @@

const renderLiveRegion = async (jsx: React.ReactElement) => {
const { container } = render(jsx);
await waitFor(() => expect(document.querySelector('[aria-live=polite]')));
await waitFor(() => expect(document.querySelector('[aria-live=polite]')).toBeTruthy());

Check failure on line 12 in src/live-region/__tests__/live-region.test.tsx

View workflow job for this annotation

GitHub Actions / build / build

LiveRegion › can render assertive live region

expect(received).toBeTruthy() Received: null Ignored nodes: comments, script, style <html> <head /> <body> <div> <div class="awsui_root_1iee7_xy9l5_145 awsui_root_1pc7b_1k8pp_5" hidden="" > Announcement </div> </div> <div aria-atomic="true" aria-live="assertive" class="awsui_announcer_1iee7_xy9l5_153 awsui_announcer_1pc7b_1k8pp_9" /> </body> </html> at src/live-region/__tests__/live-region.test.tsx:12:76 at runWithExpensiveErrorDiagnosticsDisabled (node_modules/@testing-library/dom/dist/config.js:52:12) at checkCallback (node_modules/@testing-library/dom/dist/wait-for.js:141:77) at node_modules/@testing-library/dom/dist/wait-for.js:76:9

Check failure on line 12 in src/live-region/__tests__/live-region.test.tsx

View workflow job for this annotation

GitHub Actions / dry-run / Components unit tests

LiveRegion › can render assertive live region

expect(received).toBeTruthy() Received: null Ignored nodes: comments, script, style <html> <head /> <body> <div> <div class="awsui_root_1iee7_xy9l5_145 awsui_root_1pc7b_1k8pp_5" hidden="" > Announcement </div> </div> <div aria-atomic="true" aria-live="assertive" class="awsui_announcer_1iee7_xy9l5_153 awsui_announcer_1pc7b_1k8pp_9" /> </body> </html> at src/live-region/__tests__/live-region.test.tsx:12:76 at runWithExpensiveErrorDiagnosticsDisabled (node_modules/@testing-library/dom/dist/config.js:52:12) at checkCallback (node_modules/@testing-library/dom/dist/wait-for.js:141:77) at node_modules/@testing-library/dom/dist/wait-for.js:76:9
jest.runAllTimers();

return {
Expand Down
2 changes: 1 addition & 1 deletion src/radio-group/__tests__/radio-group.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -313,7 +313,7 @@ describe('value', () => {
expect(id1).not.toBe(id2);
});

test('generates a own unique ids for setting up label relations when controlId is not set', () => {
test('generates a own unique ids for setting up label relations when controlId is partially set', () => {
const id1 = 'control-id-1';

const { wrapper } = renderRadioGroup(
Expand Down
5 changes: 3 additions & 2 deletions src/slider/__tests__/slider.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ import { fireEvent, render, screen } from '@testing-library/react';

import { warnOnce } from '@cloudscape-design/component-toolkit/internal';

import '../../__a11y__/to-validate-a11y';
import TestI18nProvider from '../../../lib/components/i18n/testing';
import customCssProps from '../../../lib/components/internal/generated/custom-css-properties';
import Slider, { SliderProps } from '../../../lib/components/slider';
Expand Down Expand Up @@ -325,7 +326,7 @@ describe('Slider i18n', () => {
});

describe('Slider a11y', () => {
test('Valides a11y', () => {
test('Validates a11y', () => {
const wrapper = renderSlider({
min: 0,
max: 100,
Expand All @@ -336,7 +337,7 @@ describe('Slider a11y', () => {
ariaLabel: 'aria label',
});

expect(wrapper.getElement()).toValidateA11y;
expect(wrapper.getElement()).toValidateA11y();
});

test('Renders correct aria label', () => {
Expand Down
2 changes: 1 addition & 1 deletion src/table/__tests__/analytics-metadata.test.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -256,7 +256,7 @@ describe('Table renders correct analytics metadata', () => {
)
);
});
test('with sortingField', () => {
test('with sortingDisabled', () => {
const wrapper = renderTable({ sortingDisabled: true });
const columnHeaders = wrapper.findColumnHeaders();
const element = columnHeaders[0]!.getElement();
Expand Down
Loading
Loading