Created
May 23, 2022 16:16
-
-
Save dgcoffman/ec5014675ddfbd7b68929344234d9532 to your computer and use it in GitHub Desktop.
libs/eslint-rules/require-named-effect.js
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
const isUseEffect = (node) => node.callee.name === 'useEffect'; | |
const argumentIsArrowFunction = (node) => node.arguments[0].type === 'ArrowFunctionExpression'; | |
const effectBodyIsSingleFunction = (node) => { | |
const { body } = node.arguments[0]; | |
// It's a single unwrapped function call: | |
// `useEffect(() => theNameOfAFunction(), []);` | |
if (body.type === 'CallExpression') { | |
return true; | |
} | |
// There's a function body, but it just calls another function: | |
// `useEffect(() => { | |
// theOnlyChildIsAFunctionCall(); | |
// }, []);` | |
if (body.body?.length === 1 && body.body[0]?.expression?.type === 'CallExpression') { | |
return true; | |
} | |
return false; | |
}; | |
const fail = (report, node) => report(node, 'Complex effects must be a named function.'); | |
module.exports = { | |
create(context) { | |
return { | |
CallExpression(node) { | |
if ( | |
isUseEffect(node) && | |
argumentIsArrowFunction(node) && | |
!effectBodyIsSingleFunction(node) | |
) { | |
fail(context.report, node); | |
} | |
}, | |
}; | |
}, | |
}; | |
const rule = require('./require-named-effect'); | |
const ruleTester = require('./helpers/ruleTester'); | |
describe('require-named-effect', () => { | |
const valid = [ | |
`useEffect(function namedFunction() {}, []);`, | |
`useEffect(theNameOfAFunction(), []);`, | |
`useEffect(() => theNameOfAFunction(), []);`, | |
`useEffect(() => { | |
theOnlyChildIsAFunctionCall(); | |
}, []);`, | |
]; | |
const invalid = [ | |
`useEffect(() => {}, []);`, | |
`useEffect(() => { | |
const t = 1; | |
diallowTwoThings(t); | |
}, []);`, | |
]; | |
ruleTester.run('require-named-effect', rule, { | |
valid, | |
invalid: invalid.map((code) => ({ | |
code, | |
errors: ['Complex effects must be a named function.'], | |
})), | |
}); | |
}); |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
If someone wants to very quickly add such a check for
useEffect
without integrating custom eslint plugin…I created custom rule for
'no-restricted-syntax'
rule for inspiration:some useful resources for AST selectors if you want to edit these rules (selectors):