Skip to content

Commit 87d26fb

Browse files
committedMar 29, 2023
feat: enforce to use function declaration on top-level
1 parent e17d2f8 commit 87d26fb

File tree

7 files changed

+139
-2
lines changed

7 files changed

+139
-2
lines changed
 

‎README.md

+2
Original file line numberDiff line numberDiff line change
@@ -103,6 +103,8 @@ This config does NOT lint CSS. I personally use [UnoCSS](https://github.com/unoc
103103

104104
Sure, you can override the rules in your `.eslintrc` file.
105105

106+
<!-- eslint-skip -->
107+
106108
```jsonc
107109
{
108110
"extends": "@antfu",

‎fixtures/vitesse/src/components/Footer.vue

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
<script setup lang="ts">
22
const { t, availableLocales, locale } = useI18n()
33
4-
const toggleLocales = () => {
4+
function toggleLocales() {
55
// change to some real logic
66
const locales = availableLocales
77
locale.value = locales[(locales.indexOf(locale.value) + 1) % locales.length]

‎fixtures/vitesse/src/pages/index.vue

+1-1
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,7 @@ const user = useUserStore()
33
const name = $ref(user.savedName)
44
55
const router = useRouter()
6-
const go = () => {
6+
function go() {
77
if (name)
88
router.push(`/hi/${encodeURIComponent(name)}`)
99
}

‎packages/eslint-config-basic/index.js

+1
Original file line numberDiff line numberDiff line change
@@ -365,6 +365,7 @@ module.exports = {
365365
// antfu
366366
'antfu/if-newline': 'error',
367367
'antfu/import-dedupe': 'error',
368+
'antfu/top-level-function': 'error',
368369
// 'antfu/prefer-inline-type-import': 'error',
369370
},
370371
}

‎packages/eslint-plugin-antfu/src/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -2,12 +2,14 @@ import genericSpacing from './rules/generic-spacing'
22
import ifNewline from './rules/if-newline'
33
import importDedupe from './rules/import-dedupe'
44
import preferInlineTypeImport from './rules/prefer-inline-type-import'
5+
import topLevelFunction from './rules/top-level-function'
56

67
export default {
78
rules: {
89
'if-newline': ifNewline,
910
'import-dedupe': importDedupe,
1011
'prefer-inline-type-import': preferInlineTypeImport,
1112
'generic-spacing': genericSpacing,
13+
'top-level-function': topLevelFunction,
1214
},
1315
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,51 @@
1+
import { RuleTester } from '@typescript-eslint/utils/dist/ts-eslint'
2+
import { it } from 'vitest'
3+
import rule, { RULE_NAME } from './top-level-function'
4+
5+
const valids = [
6+
'function foo() {}',
7+
// allow arrow function inside function
8+
'function foo() { const bar = () => {} }',
9+
// allow arrow function when type is specified
10+
'const Foo: Bar = () => {}',
11+
// allow let/var
12+
'let foo = () => {}',
13+
// allow arrow function in as
14+
'const foo = (() => {}) as any',
15+
// allow iife
16+
';(() => {})()',
17+
]
18+
19+
const invalids = [
20+
[
21+
'const foo = (as: string, bar: number) => { return as + bar }',
22+
'function foo (as: string, bar: number) { return as + bar }',
23+
],
24+
[
25+
'const foo = <K, T extends Boolean>(as: string, bar: number): Omit<T, K> => as + bar',
26+
'function foo <K, T extends Boolean>(as: string, bar: number): Omit<T, K> { return as + bar }',
27+
],
28+
[
29+
'export const foo = () => {}',
30+
'export function foo () {}',
31+
],
32+
[
33+
'export const foo = () => ({})',
34+
'export function foo () { return {} }',
35+
],
36+
]
37+
38+
it('runs', () => {
39+
const ruleTester: RuleTester = new RuleTester({
40+
parser: require.resolve('@typescript-eslint/parser'),
41+
})
42+
43+
ruleTester.run(RULE_NAME, rule, {
44+
valid: valids,
45+
invalid: invalids.map(i => ({
46+
code: i[0],
47+
output: i[1],
48+
errors: [{ messageId: 'topLevelFunctionDeclaration' }],
49+
})),
50+
})
51+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,81 @@
1+
import { createEslintRule } from '../utils'
2+
3+
export const RULE_NAME = 'top-level-function'
4+
export type MessageIds = 'topLevelFunctionDeclaration'
5+
export type Options = []
6+
7+
export default createEslintRule<Options, MessageIds>({
8+
name: RULE_NAME,
9+
meta: {
10+
type: 'problem',
11+
docs: {
12+
description: 'Enforce top-level functions to be declared with function keyword',
13+
recommended: 'error',
14+
},
15+
fixable: 'code',
16+
schema: [],
17+
messages: {
18+
topLevelFunctionDeclaration: 'Top-level functions should be declared with function keyword',
19+
},
20+
},
21+
defaultOptions: [],
22+
create: (context) => {
23+
return {
24+
VariableDeclaration(node) {
25+
if (node.parent.type !== 'Program' && node.parent.type !== 'ExportNamedDeclaration')
26+
return
27+
28+
if (node.declarations.length !== 1)
29+
return
30+
if (node.kind !== 'const')
31+
return
32+
if (node.declare)
33+
return
34+
35+
const declaration = node.declarations[0]
36+
37+
if (declaration.init?.type !== 'ArrowFunctionExpression')
38+
return
39+
if (declaration.id?.type !== 'Identifier')
40+
return
41+
if (declaration.id.typeAnnotation)
42+
return
43+
44+
const arrowFn = declaration.init
45+
const body = declaration.init.body
46+
const id = declaration.id
47+
48+
context.report({
49+
node,
50+
loc: {
51+
start: node.loc.start,
52+
end: node.loc.end,
53+
},
54+
messageId: 'topLevelFunctionDeclaration',
55+
fix(fixer) {
56+
const code = context.getSourceCode().text
57+
const textName = code.slice(id.range[0], id.range[1])
58+
const textArgs = arrowFn.params.length
59+
? code.slice(arrowFn.params[0].range[0], arrowFn.params[arrowFn.params.length - 1].range[1])
60+
: ''
61+
const textBody = body.type === 'BlockStatement'
62+
? code.slice(body.range[0], body.range[1])
63+
: `{ return ${code.slice(body.range[0], body.range[1])} }`
64+
const textGeneric = arrowFn.typeParameters
65+
? code.slice(arrowFn.typeParameters.range[0], arrowFn.typeParameters.range[1])
66+
: ''
67+
const textTypeReturn = arrowFn.returnType
68+
? code.slice(arrowFn.returnType.range[0], arrowFn.returnType.range[1])
69+
: ''
70+
const text = `function ${textName} ${textGeneric}(${textArgs})${textTypeReturn} ${textBody}`
71+
// console.log({
72+
// input: code.slice(node.range[0], node.range[1]),
73+
// output: text,
74+
// })
75+
return fixer.replaceTextRange([node.range[0], node.range[1]], text)
76+
},
77+
})
78+
},
79+
}
80+
},
81+
})

9 commit comments

Comments
 (9)

felixranesberger commented on Mar 29, 2023

@felixranesberger

Hi Anthony, thanks for providing this ESLint configuration!
What is your reason to enforce top-level functions, instead of arrow functions?

Is it because of the this binding?

mcfarljw commented on Mar 29, 2023

@mcfarljw

This change breaks a lot of things in my current codebase so I had to disable it. For example:

https://vueuse.org/shared/createGlobalState/#createglobalstate

export default createGlobalState(() => {
  return {}
})

antfu commented on Mar 29, 2023

@antfu
OwnerAuthor

@mcfarljw I am happy to improve it by including more cases if you could provide more info. The one you sent seems to work fine: 3fa8617

antfu commented on Mar 29, 2023

@antfu
OwnerAuthor

@felixranesberger It's just out of personal preference. I might raise the awareness again this is my personal opinionated config. Feel free to disable/config/fork to fit your needs.

mcfarljw commented on Mar 30, 2023

@mcfarljw

@antfu thanks for responding! It looks like this was just a fluke, after updating from 0.37.0 to 0.38.0 VSCode needed to be fully reloaded on my machine otherwise I just get this error at the top of most of my files.

artur-oliva commented on Apr 14, 2023

@artur-oliva

What is the syntax to disable the top-level-function rule

lincenying commented on Apr 15, 2023

@lincenying
Contributor

What is the syntax to disable the top-level-function rule

'antfu/top-level-function': 'off',

zanminkian commented on Apr 17, 2023

@zanminkian
Contributor

I agree most of the configs except this rule. For example, one-line arrow function is convenient in some case. But enforcing this rule will make the code verbose.

const stuName = (stu) => `name: ${stu.name}`
const stuAge = (stu) => `age: ${stu.age}`
const stuGender = (stu) => `gender: ${stu.gender}`

@antfu Is it possible that don't format the one-line arrow function?

antfu commented on Apr 17, 2023

@antfu
OwnerAuthor

Sure, we could filter out one-liner, PR welcome

Please sign in to comment.