Skip to content

Commit

Permalink
feat: add no-container rule #177
Browse files Browse the repository at this point in the history
  • Loading branch information
gndelia committed Jun 21, 2020
2 parents a4cc8d8 + 9d44911 commit 86f9c84
Show file tree
Hide file tree
Showing 8 changed files with 336 additions and 34 deletions.
1 change: 1 addition & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -140,6 +140,7 @@ To enable this configuration use the `extends` property in your
| [await-fire-event](docs/rules/await-fire-event.md) | Enforce async fire event methods to be awaited | ![vue-badge][] | |
| [consistent-data-testid](docs/rules/consistent-data-testid.md) | Ensure `data-testid` values match a provided regex. | | |
| [no-await-sync-query](docs/rules/no-await-sync-query.md) | Disallow unnecessary `await` for sync queries | ![recommended-badge][] ![angular-badge][] ![react-badge][] ![vue-badge][] | |
| [no-container](docs/rules/no-container.md) | Disallow the use of `container` methods | ![angular-badge][] ![react-badge][] ![vue-badge][] | |
| [no-debug](docs/rules/no-debug.md) | Disallow the use of `debug` | ![angular-badge][] ![react-badge][] ![vue-badge][] | |
| [no-dom-import](docs/rules/no-dom-import.md) | Disallow importing from DOM Testing Library | ![angular-badge][] ![react-badge][] ![vue-badge][] | ![fixable-badge][] |
| [no-manual-cleanup](docs/rules/no-manual-cleanup.md) | Disallow the use of `cleanup` | | |
Expand Down
44 changes: 44 additions & 0 deletions docs/rules/no-container.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,44 @@
# Disallow the use of `container` methods (no-container)

By using `container` methods like `.querySelector` you may lose a lot of the confidence that the user can really interact with your UI. Also, the test becomes harder to read, and it will break more frequently.

This applies to Testing Library frameworks built on top of **DOM Testing Library**

## Rule Details

This rule aims to disallow the use of `container` methods in your tests.

Examples of **incorrect** code for this rule:

```js
const { container } = render(<Example />);
const button = container.querySelector('.btn-primary');
```

```js
const { container: alias } = render(<Example />);
const button = alias.querySelector('.btn-primary');
```

```js
const view = render(<Example />);
const button = view.container.getElementsByClassName('.btn-primary');
```

Examples of **correct** code for this rule:

```js
render(<Example />);
screen.getByRole('button', { name: /click me/i });
```

If you use [custom render functions](https://testing-library.com/docs/example-react-redux) then you can set a config option in your `.eslintrc` to look for these.

```
"testing-library/no-container": ["error", {"renderFunctions":["renderWithRedux", "renderWithRouter"]}],
```

## Further Reading

- [about the `container` element](https://testing-library.com/docs/react-testing-library/api#container-1)
- [querying with `screen`](https://testing-library.com/docs/dom-testing-library/api-queries#screen)
5 changes: 5 additions & 0 deletions lib/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@ import awaitAsyncUtils from './rules/await-async-utils';
import awaitFireEvent from './rules/await-fire-event';
import consistentDataTestid from './rules/consistent-data-testid';
import noAwaitSyncQuery from './rules/no-await-sync-query';
import noContainer from './rules/no-container';
import noDebug from './rules/no-debug';
import noDomImport from './rules/no-dom-import';
import noManualCleanup from './rules/no-manual-cleanup';
Expand All @@ -20,6 +21,7 @@ const rules = {
'await-fire-event': awaitFireEvent,
'consistent-data-testid': consistentDataTestid,
'no-await-sync-query': noAwaitSyncQuery,
'no-container': noContainer,
'no-debug': noDebug,
'no-dom-import': noDomImport,
'no-manual-cleanup': noManualCleanup,
Expand Down Expand Up @@ -53,6 +55,7 @@ export = {
plugins: ['testing-library'],
rules: {
...recommendedRules,
'testing-library/no-container': 'error',
'testing-library/no-debug': 'warn',
'testing-library/no-dom-import': ['error', 'angular'],
},
Expand All @@ -61,6 +64,7 @@ export = {
plugins: ['testing-library'],
rules: {
...recommendedRules,
'testing-library/no-container': 'error',
'testing-library/no-debug': 'warn',
'testing-library/no-dom-import': ['error', 'react'],
},
Expand All @@ -70,6 +74,7 @@ export = {
rules: {
...recommendedRules,
'testing-library/await-fire-event': 'error',
'testing-library/no-container': 'error',
'testing-library/no-debug': 'warn',
'testing-library/no-dom-import': ['error', 'vue'],
},
Expand Down
33 changes: 33 additions & 0 deletions lib/node-utils.ts
Original file line number Diff line number Diff line change
Expand Up @@ -114,3 +114,36 @@ export function isArrowFunctionExpression(
): node is TSESTree.ArrowFunctionExpression {
return node && node.type === 'ArrowFunctionExpression';
}

function isRenderFunction(
callNode: TSESTree.CallExpression,
renderFunctions: string[]
) {
return ['render', ...renderFunctions].some(
name => isIdentifier(callNode.callee) && name === callNode.callee.name
);
}

export function isRenderVariableDeclarator(
node: TSESTree.VariableDeclarator,
renderFunctions: string[]
) {
if (node.init) {
if (isAwaitExpression(node.init)) {
return (
node.init.argument &&
isRenderFunction(
node.init.argument as TSESTree.CallExpression,
renderFunctions
)
);
} else {
return (
isCallExpression(node.init) &&
isRenderFunction(node.init, renderFunctions)
);
}
}

return false;
}
120 changes: 120 additions & 0 deletions lib/rules/no-container.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,120 @@
import { ESLintUtils, TSESTree } from '@typescript-eslint/experimental-utils';
import { getDocsUrl } from '../utils';
import {
isIdentifier,
isMemberExpression,
isObjectPattern,
isProperty,
isRenderVariableDeclarator,
} from '../node-utils';

export const RULE_NAME = 'no-container';

export default ESLintUtils.RuleCreator(getDocsUrl)({
name: RULE_NAME,
meta: {
type: 'problem',
docs: {
description: 'Disallow the use of container methods',
category: 'Best Practices',
recommended: 'error',
},
messages: {
noContainer:
'Avoid using container methods. Prefer using the methods from Testing Library, such as "getByRole()"',
},
fixable: null,
schema: [
{
type: 'object',
properties: {
renderFunctions: {
type: 'array',
},
},
},
],
},
defaultOptions: [
{
renderFunctions: [],
},
],

create(context, [options]) {
const { renderFunctions } = options;
const destructuredContainerPropNames: string[] = [];
let renderWrapperName: string = null;
let containerName: string = null;
let containerCallsMethod = false;

function showErrorIfChainedContainerMethod(
innerNode: TSESTree.MemberExpression
) {
if (isMemberExpression(innerNode)) {
if (isIdentifier(innerNode.object)) {
const isContainerName = innerNode.object.name === containerName;
const isRenderWrapper = innerNode.object.name === renderWrapperName;

containerCallsMethod =
isIdentifier(innerNode.property) &&
innerNode.property.name === 'container' &&
isRenderWrapper;

if (isContainerName || containerCallsMethod) {
context.report({
node: innerNode,
messageId: 'noContainer',
});
}
}
showErrorIfChainedContainerMethod(
innerNode.object as TSESTree.MemberExpression
);
}
}

return {
VariableDeclarator(node) {
if (isRenderVariableDeclarator(node, renderFunctions)) {
if (isObjectPattern(node.id)) {
const containerIndex = node.id.properties.findIndex(
property =>
isProperty(property) &&
isIdentifier(property.key) &&
property.key.name === 'container'
);
const nodeValue =
containerIndex !== -1 && node.id.properties[containerIndex].value;
if (isIdentifier(nodeValue)) {
containerName = nodeValue.name;
} else {
isObjectPattern(nodeValue) &&
nodeValue.properties.forEach(
property =>
isProperty(property) &&
isIdentifier(property.key) &&
destructuredContainerPropNames.push(property.key.name)
);
}
} else {
renderWrapperName = isIdentifier(node.id) && node.id.name;
}
}
},

CallExpression(node: TSESTree.CallExpression) {
if (isMemberExpression(node.callee)) {
showErrorIfChainedContainerMethod(node.callee);
} else {
isIdentifier(node.callee) &&
destructuredContainerPropNames.includes(node.callee.name) &&
context.report({
node,
messageId: 'noContainer',
});
}
},
};
},
});
35 changes: 1 addition & 34 deletions lib/rules/no-debug.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,46 +6,13 @@ import {
isIdentifier,
isCallExpression,
isLiteral,
isAwaitExpression,
isMemberExpression,
isImportSpecifier,
isRenderVariableDeclarator,
} from '../node-utils';

export const RULE_NAME = 'no-debug';

function isRenderFunction(
callNode: TSESTree.CallExpression,
renderFunctions: string[]
) {
return ['render', ...renderFunctions].some(
name => isIdentifier(callNode.callee) && name === callNode.callee.name
);
}

function isRenderVariableDeclarator(
node: TSESTree.VariableDeclarator,
renderFunctions: string[]
) {
if (node.init) {
if (isAwaitExpression(node.init)) {
return (
node.init.argument &&
isRenderFunction(
node.init.argument as TSESTree.CallExpression,
renderFunctions
)
);
} else {
return (
isCallExpression(node.init) &&
isRenderFunction(node.init, renderFunctions)
);
}
}

return false;
}

function hasTestingLibraryImportModule(
importDeclarationNode: TSESTree.ImportDeclaration
) {
Expand Down
3 changes: 3 additions & 0 deletions tests/__snapshots__/index.test.ts.snap
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@ Object {
"testing-library/await-async-query": "error",
"testing-library/await-async-utils": "error",
"testing-library/no-await-sync-query": "error",
"testing-library/no-container": "error",
"testing-library/no-debug": "warn",
"testing-library/no-dom-import": Array [
"error",
Expand All @@ -31,6 +32,7 @@ Object {
"testing-library/await-async-query": "error",
"testing-library/await-async-utils": "error",
"testing-library/no-await-sync-query": "error",
"testing-library/no-container": "error",
"testing-library/no-debug": "warn",
"testing-library/no-dom-import": Array [
"error",
Expand Down Expand Up @@ -71,6 +73,7 @@ Object {
"testing-library/await-async-utils": "error",
"testing-library/await-fire-event": "error",
"testing-library/no-await-sync-query": "error",
"testing-library/no-container": "error",
"testing-library/no-debug": "warn",
"testing-library/no-dom-import": Array [
"error",
Expand Down

0 comments on commit 86f9c84

Please sign in to comment.