Skip to content

Commit bbc28cc

Browse files
housseindjirdehtimneutkens
andauthoredJun 3, 2021
next lint + ESLint in Create Next App (vercel#25064)
Co-authored-by: Tim Neutkens <[email protected]> Co-authored-by: Tim Neutkens <[email protected]>
1 parent b05719f commit bbc28cc

File tree

31 files changed

+473
-192
lines changed

31 files changed

+473
-192
lines changed
 

‎docs/api-reference/cli.md

+11-1
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ Usage
2121
$ next <command>
2222

2323
Available commands
24-
build, start, export, dev, telemetry
24+
build, start, export, dev, lint, telemetry
2525

2626
Options
2727
--version, -v Version number
@@ -84,6 +84,16 @@ The application will start at `http://localhost:3000` by default. The default po
8484
npx next start -p 4000
8585
```
8686

87+
## Lint
88+
89+
`next lint` runs ESLint for all files in the `pages` directory and provides a guided setup to install any required dependencies if ESLint is not already configured in your application.
90+
91+
You can also run ESLint on other directories with the `--dir` flag:
92+
93+
```bash
94+
next lint --dir components
95+
```
96+
8797
## Telemetry
8898

8999
Next.js collects **completely anonymous** telemetry data about general usage.

‎docs/basic-features/eslint.md

+119
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,119 @@
1+
---
2+
description: Next.js supports ESLint by default. You can get started with ESLint in Next.js here.
3+
---
4+
5+
# ESLint
6+
7+
Since version **11.0.0**, Next.js provides an integrated [ESLint](https://eslint.org/) experience out of the box. To get started, run `next lint`:
8+
9+
```bash
10+
next lint
11+
```
12+
13+
If you don't already have ESLint configured in your application, you will be guided through the installation of any required packages.
14+
15+
```bash
16+
next lint
17+
18+
# You'll see instructions like these:
19+
#
20+
# Please install eslint and eslint-config-next by running:
21+
#
22+
# yarn add --dev eslint eslint-config-next
23+
#
24+
# ...
25+
```
26+
27+
If no ESLint configuration is present, Next.js will create an `.eslintrc` file in the root of your project and automatically configure it with the base configuration:
28+
29+
```
30+
{
31+
"extends": "next"
32+
}
33+
```
34+
35+
Now you can run `next lint` every time you want to run ESLint to catch errors
36+
37+
> The default base configuration (`"extends": "next"`) can be updated at any time and will only be included if no ESLint configuration is present.
38+
39+
We recommend using an appropriate [integration](https://eslint.org/docs/user-guide/integrations#editors) to view warnings and errors directly in your code editor during development.
40+
41+
## Linting During Builds
42+
43+
Once ESLint has been set up, it will automatically run during every build (`next build`). Errors will fail the build while warnings will not.
44+
45+
If you do not want ESLint to run as a build step, it can be disabled using the `--no-lint` flag:
46+
47+
```bash
48+
next build --no-lint
49+
```
50+
51+
This is not recommended unless you have configured ESLint to run in a separate part of your workflow (for example, in CI or a pre-commit hook).
52+
53+
## Linting Custom Directories
54+
55+
By default, Next.js will only run ESLint for all files in the `pages/` directory. However, you can specify other custom directories to run by using the `--dir` flag in `next lint`:
56+
57+
```bash
58+
next lint --dir components --dir lib
59+
```
60+
61+
## ESLint Plugin
62+
63+
Next.js provides an ESLint plugin, [`eslint-plugin-next`](https://www.npmjs.com/package/@next/eslint-plugin-next), that makes it easier to catch common issues and problems in a Next.js application. The full set of rules can be found in the [package repository](https://github.com/vercel/next.js/tree/master/packages/eslint-plugin-next/lib/rules).
64+
65+
## Base Configuration
66+
67+
The Next.js base ESLint configuration is automatically generated when `next lint` is run for the first time:
68+
69+
```
70+
{
71+
"extends": "next"
72+
}
73+
```
74+
75+
This configuration extends recommended rule sets from various Eslint plugins:
76+
77+
- [`eslint-plugin-react`](https://www.npmjs.com/package/eslint-plugin-react)
78+
- [`eslint-plugin-react-hooks`](https://www.npmjs.com/package/eslint-plugin-react-hooks)
79+
- [`eslint-plugin-next`](https://www.npmjs.com/package/@next/eslint-plugin-next)
80+
81+
You can see the full details of the shareable configuration in the [`eslint-config-next`](https://www.npmjs.com/package/eslint-config-next) package.
82+
83+
If you would like to modify any rules provided by the supported plugins (`react`, `react-hooks`, `next`), you can directly modify them using the `rules` property:
84+
85+
```
86+
{
87+
"extends": "next",
88+
"rules": {
89+
"react/no-unescaped-entities": "off",
90+
"@next/next/no-page-custom-font": "error",
91+
}
92+
}
93+
```
94+
95+
> **Note**: If you need to also include a separate, custom ESLint configuration, it is highly recommended that `eslint-config-next` is extended last after other configurations. For example:
96+
>
97+
> ```
98+
> {
99+
> "extends": ["eslint:recommended", "next"]
100+
> }
101+
> ```
102+
>
103+
> The `next` configuration already handles setting default values for the `parser`, `plugins` and `settings` properties.
104+
> There is no need to manually re-declare any of these properties unless you need a different configuration for your use case.
105+
> If you include any other shareable configurations, you will need to make sure that these properties are not overwritten or modified.
106+
107+
### Core Web Vitals
108+
109+
A stricter `next/core-web-vitals` entrypoint can also be specified in `.eslintrc`:
110+
111+
```
112+
{
113+
"extends": ["next", "next/core-web-vitals"]
114+
}
115+
```
116+
117+
`next/core-web-vitals` updates `eslint-plugin-next` to error on a number of rules that are warnings by default if they affect [Core Web Vitals](https://web.dev/vitals/).
118+
119+
> Both `next` and `next/core-web-vitals` entry points are automatically included for new applications built with [Create Next App](/docs/api-reference/create-next-app.md).

‎docs/getting-started.md

+3-1
Original file line numberDiff line numberDiff line change
@@ -55,7 +55,8 @@ Open `package.json` and add the following `scripts`:
5555
"scripts": {
5656
"dev": "next dev",
5757
"build": "next build",
58-
"start": "next start"
58+
"start": "next start",
59+
"lint": "next lint"
5960
}
6061
```
6162

@@ -64,6 +65,7 @@ These scripts refer to the different stages of developing an application:
6465
- `dev` - Runs [`next dev`](/docs/api-reference/cli.md#development) which starts Next.js in development mode
6566
- `build` - Runs [`next build`](/docs/api-reference/cli.md#build) which builds the application for production usage
6667
- `start` - Runs [`next start`](/docs/api-reference/cli.md#production) which starts a Next.js production server
68+
- `lint` - Runs [`next lint`](/docs/api-reference/cli.md#lint) which sets up Next.js' built-in ESLint configuration
6769

6870
Next.js is built around the concept of [pages](/docs/basic-features/pages.md). A page is a [React Component](https://reactjs.org/docs/components-and-props.html) exported from a `.js`, `.jsx`, `.ts`, or `.tsx` file in the `pages` directory.
6971

‎docs/manifest.json

+4
Original file line numberDiff line numberDiff line change
@@ -37,6 +37,10 @@
3737
"title": "Fast Refresh",
3838
"path": "/docs/basic-features/fast-refresh.md"
3939
},
40+
{
41+
"title": "ESLint",
42+
"path": "/docs/basic-features/eslint.md"
43+
},
4044
{
4145
"title": "TypeScript",
4246
"path": "/docs/basic-features/typescript.md"

‎packages/create-next-app/create-app.ts

+4-2
Original file line numberDiff line numberDiff line change
@@ -187,6 +187,7 @@ export async function createApp({
187187
dev: 'next dev',
188188
build: 'next build',
189189
start: 'next start',
190+
lint: 'next lint',
190191
},
191192
}
192193
/**
@@ -207,7 +208,7 @@ export async function createApp({
207208
/**
208209
* Default devDependencies.
209210
*/
210-
const devDependencies = []
211+
const devDependencies = ['eslint', 'eslint-config-next']
211212
/**
212213
* TypeScript projects will have type definitions and other devDependencies.
213214
*/
@@ -250,7 +251,8 @@ export async function createApp({
250251
cwd: path.join(__dirname, 'templates', template),
251252
rename: (name) => {
252253
switch (name) {
253-
case 'gitignore': {
254+
case 'gitignore':
255+
case 'eslintrc': {
254256
return '.'.concat(name)
255257
}
256258
// README.md is ignored by webpack-asset-relocator-loader used by ncc:
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
{
2+
"extends": ["next", "next/core-web-vitals"]
3+
}
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
// Next.js API route support: https://nextjs.org/docs/api-routes/introduction
22

3-
export default (req, res) => {
3+
export default function handler(req, res) {
44
res.status(200).json({ name: 'John Doe' })
55
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
{
2+
"extends": ["next", "next/core-web-vitals"]
3+
}

‎packages/create-next-app/templates/typescript/pages/api/hello.ts

+4-1
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,9 @@ type Data = {
55
name: string
66
}
77

8-
export default (req: NextApiRequest, res: NextApiResponse<Data>) => {
8+
export default function handler(
9+
req: NextApiRequest,
10+
res: NextApiResponse<Data>
11+
) {
912
res.status(200).json({ name: 'John Doe' })
1013
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
module.exports = {
2+
extends: ['.'].map(require.resolve),
3+
rules: {
4+
'@next/next/no-sync-scripts': 2,
5+
'@next/next/no-html-link-for-pages': 2,
6+
'@next/next/no-img-element': 2,
7+
},
8+
}

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

+1
Original file line numberDiff line numberDiff line change
@@ -16,6 +16,7 @@ module.exports = {
1616
rules: {
1717
'import/no-anonymous-default-export': 'warn',
1818
'react/react-in-jsx-scope': 'off',
19+
'react/prop-types': 'off',
1920
'jsx-a11y/alt-text': [
2021
'warn',
2122
{

‎packages/eslint-plugin-next/lib/rules/no-sync-scripts.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,7 @@ module.exports = function (context) {
1818
context.report({
1919
node,
2020
message:
21-
'Synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
21+
'External synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
2222
})
2323
}
2424
},

‎packages/next/bin/next.ts

+1
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,7 @@ const commands: { [command: string]: () => Promise<cliCommand> } = {
2020
start: () => import('../cli/next-start').then((i) => i.nextStart),
2121
export: () => import('../cli/next-export').then((i) => i.nextExport),
2222
dev: () => import('../cli/next-dev').then((i) => i.nextDev),
23+
lint: () => import('../cli/next-lint').then((i) => i.nextLint),
2324
telemetry: () => import('../cli/next-telemetry').then((i) => i.nextTelemetry),
2425
}
2526

‎packages/next/build/index.ts

+3-3
Original file line numberDiff line numberDiff line change
@@ -119,7 +119,8 @@ export default async function build(
119119
dir: string,
120120
conf = null,
121121
reactProductionProfiling = false,
122-
debugOutput = false
122+
debugOutput = false,
123+
runLint = true
123124
): Promise<void> {
124125
const nextBuildSpan = trace('next-build')
125126

@@ -212,13 +213,12 @@ export default async function build(
212213
typeCheckingSpinner.stopAndPersist()
213214
}
214215

215-
if (config.experimental.eslint) {
216+
if (runLint) {
216217
await nextBuildSpan
217218
.traceChild('verify-and-lint')
218219
.traceAsyncFn(async () => {
219220
await verifyAndLint(
220221
dir,
221-
pagesDir,
222222
config.experimental.cpus,
223223
config.experimental.workerThreads
224224
)

‎packages/next/cli/next-build.ts

+8-1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ const nextBuild: cliCommand = (argv) => {
1313
'--help': Boolean,
1414
'--profile': Boolean,
1515
'--debug': Boolean,
16+
'--no-lint': Boolean,
1617
// Aliases
1718
'-h': '--help',
1819
'-d': '--debug',
@@ -41,13 +42,17 @@ const nextBuild: cliCommand = (argv) => {
4142
4243
Options
4344
--profile Can be used to enable React Production Profiling
45+
--no-lint Disable linting
4446
`,
4547
0
4648
)
4749
}
4850
if (args['--profile']) {
4951
Log.warn('Profiling is enabled. Note: This may affect performance')
5052
}
53+
if (args['--no-lint']) {
54+
Log.warn('Linting is disabled')
55+
}
5156
const dir = resolve(args._[0] || '.')
5257

5358
// Check if the provided directory exists
@@ -93,7 +98,9 @@ const nextBuild: cliCommand = (argv) => {
9398
}
9499

95100
return preflight()
96-
.then(() => build(dir, null, args['--profile'], args['--debug']))
101+
.then(() =>
102+
build(dir, null, args['--profile'], args['--debug'], !args['--no-lint'])
103+
)
97104
.catch((err) => {
98105
console.error('')
99106
console.error('> Build error occurred')

‎packages/next/cli/next-lint.ts

+76
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,76 @@
1+
#!/usr/bin/env node
2+
import { existsSync } from 'fs'
3+
import arg from 'next/dist/compiled/arg/index.js'
4+
import { resolve, join } from 'path'
5+
import { cliCommand } from '../bin/next'
6+
import { runLintCheck } from '../lib/eslint/runLintCheck'
7+
import { printAndExit } from '../server/lib/utils'
8+
9+
const nextLint: cliCommand = (argv) => {
10+
const validArgs: arg.Spec = {
11+
// Types
12+
'--help': Boolean,
13+
'--dir': [String],
14+
15+
// Aliases
16+
'-h': '--help',
17+
'-d': '--dir',
18+
}
19+
20+
let args: arg.Result<arg.Spec>
21+
try {
22+
args = arg(validArgs, { argv })
23+
} catch (error) {
24+
if (error.code === 'ARG_UNKNOWN_OPTION') {
25+
return printAndExit(error.message, 1)
26+
}
27+
throw error
28+
}
29+
if (args['--help']) {
30+
printAndExit(
31+
`
32+
Description
33+
Run ESLint on every file in specified directories.
34+
If not configured, ESLint will be set up for the first time.
35+
36+
Usage
37+
$ next lint <baseDir> [options]
38+
39+
<baseDir> represents the directory of the Next.js application.
40+
If no directory is provided, the current directory will be used.
41+
42+
Options
43+
-h - list this help
44+
-d - set directory, or directories, to run ESLint (defaults to only 'pages')
45+
`,
46+
0
47+
)
48+
}
49+
50+
const baseDir = resolve(args._[0] || '.')
51+
52+
// Check if the provided directory exists
53+
if (!existsSync(baseDir)) {
54+
printAndExit(`> No such directory exists as the project root: ${baseDir}`)
55+
}
56+
57+
const dirs: string[] = args['--dir']
58+
const lintDirs = dirs
59+
? dirs.reduce((res: string[], d: string) => {
60+
const currDir = join(baseDir, d)
61+
if (!existsSync(currDir)) return res
62+
res.push(currDir)
63+
return res
64+
}, [])
65+
: null
66+
67+
runLintCheck(baseDir, lintDirs)
68+
.then((results) => {
69+
if (results) console.log(results)
70+
})
71+
.catch((err) => {
72+
printAndExit(err.message)
73+
})
74+
}
75+
76+
export { nextLint }

‎packages/next/lib/eslint/getLintIntent.ts

-32
This file was deleted.

‎packages/next/lib/eslint/runLintCheck.ts

+41-36
Original file line numberDiff line numberDiff line change
@@ -1,13 +1,14 @@
1-
import { promises } from 'fs'
2-
import { extname } from 'path'
1+
import { promises as fs } from 'fs'
2+
import chalk from 'chalk'
33

44
import findUp from 'next/dist/compiled/find-up'
55
import semver from 'next/dist/compiled/semver'
6+
import * as CommentJson from 'next/dist/compiled/comment-json'
67

78
import { formatResults } from './customFormatter'
8-
import { getLintIntent } from './getLintIntent'
99
import { writeDefaultConfig } from './writeDefaultConfig'
1010
import { getPackageVersion } from '../get-package-version'
11+
import { findPagesDir } from '../find-pages-dir'
1112

1213
import { CompileError } from '../compile-error'
1314
import {
@@ -22,12 +23,14 @@ type Config = {
2223
rules: { [key: string]: Array<number | string> }
2324
}
2425

25-
const linteableFileTypes = ['jsx', 'js', 'ts', 'tsx']
26+
const linteableFiles = (dir: string) => {
27+
return `${dir}/**/*.{${['jsx', 'js', 'ts', 'tsx'].join(',')}}`
28+
}
2629

2730
async function lint(
2831
deps: NecessaryDependencies,
2932
baseDir: string,
30-
pagesDir: string,
33+
lintDirs: string[] | null,
3134
eslintrcFile: string | null,
3235
pkgJsonPath: string | null
3336
): Promise<string | null> {
@@ -41,8 +44,8 @@ async function lint(
4144
})
4245

4346
if (eslintVersion && semver.lt(eslintVersion, '7.0.0')) {
44-
Log.warn(
45-
`Your project has an older version of ESLint installed (${eslintVersion}). Please upgrade to v7 or later to run ESLint during the build process.`
47+
Log.error(
48+
`Your project has an older version of ESLint installed (${eslintVersion}). Please upgrade to v7 or later`
4649
)
4750
}
4851
return null
@@ -70,6 +73,8 @@ async function lint(
7073
}
7174
}
7275

76+
const pagesDir = findPagesDir(baseDir)
77+
7378
if (nextEslintPluginIsEnabled) {
7479
let updatedPagesDir = false
7580

@@ -93,9 +98,12 @@ async function lint(
9398
}
9499
}
95100

96-
const results = await eslint.lintFiles([
97-
`${pagesDir}/**/*.{${linteableFileTypes.join(',')}}`,
98-
])
101+
// If no directories to lint are provided, only the pages directory will be linted
102+
const filesToLint = lintDirs
103+
? lintDirs.map(linteableFiles)
104+
: linteableFiles(pagesDir)
105+
106+
const results = await eslint.lintFiles(filesToLint)
99107

100108
if (ESLint.getErrorResults(results)?.length > 0) {
101109
throw new CompileError(await formatResults(baseDir, results))
@@ -105,19 +113,10 @@ async function lint(
105113

106114
export async function runLintCheck(
107115
baseDir: string,
108-
pagesDir: string
116+
lintDirs: string[] | null,
117+
lintDuringBuild: boolean = false
109118
): Promise<string | null> {
110119
try {
111-
// Check if any pages exist that can be linted
112-
const pages = await promises.readdir(pagesDir)
113-
if (
114-
!pages.some((page) =>
115-
linteableFileTypes.includes(extname(page).replace('.', ''))
116-
)
117-
) {
118-
return null
119-
}
120-
121120
// Find user's .eslintrc file
122121
const eslintrcFile =
123122
(await findUp(
@@ -134,33 +133,39 @@ export async function runLintCheck(
134133
)) ?? null
135134

136135
const pkgJsonPath = (await findUp('package.json', { cwd: baseDir })) ?? null
136+
let packageJsonConfig = null
137+
if (pkgJsonPath) {
138+
const pkgJsonContent = await fs.readFile(pkgJsonPath, {
139+
encoding: 'utf8',
140+
})
141+
packageJsonConfig = CommentJson.parse(pkgJsonContent)
142+
}
137143

138-
const { eslintConfig: pkgJsonEslintConfig = null } = !!pkgJsonPath
139-
? await import(pkgJsonPath!)
140-
: {}
141-
142-
// Check if the project uses ESLint
143-
const eslintIntent = await getLintIntent(eslintrcFile, pkgJsonEslintConfig)
144-
145-
if (!eslintIntent) {
144+
// Warning displayed if no ESLint configuration is present during build
145+
if (lintDuringBuild && !eslintrcFile && !packageJsonConfig.eslintConfig) {
146+
Log.warn(
147+
`No ESLint configuration detected. Run ${chalk.bold.cyan(
148+
'next lint'
149+
)} to begin setup`
150+
)
146151
return null
147152
}
148153

149-
const firstTimeSetup = eslintIntent.firstTimeSetup
150-
151154
// Ensure ESLint and necessary plugins and configs are installed:
152155
const deps: NecessaryDependencies = await hasNecessaryDependencies(
153156
baseDir,
154157
false,
155-
!!eslintIntent,
156-
eslintrcFile
158+
true,
159+
eslintrcFile ?? '',
160+
!!packageJsonConfig.eslintConfig,
161+
lintDuringBuild
157162
)
158163

159-
// Create the user's eslintrc config for them
160-
if (firstTimeSetup) await writeDefaultConfig(eslintrcFile, pkgJsonPath)
164+
// Write default ESLint config if none is present
165+
await writeDefaultConfig(eslintrcFile, pkgJsonPath, packageJsonConfig)
161166

162167
// Run ESLint
163-
return await lint(deps, baseDir, pagesDir, eslintrcFile, pkgJsonPath)
168+
return await lint(deps, baseDir, lintDirs, eslintrcFile, pkgJsonPath)
164169
} catch (err) {
165170
throw err
166171
}

‎packages/next/lib/eslint/writeDefaultConfig.ts

+54-33
Original file line numberDiff line numberDiff line change
@@ -7,58 +7,79 @@ import * as CommentJson from 'next/dist/compiled/comment-json'
77

88
export async function writeDefaultConfig(
99
eslintrcFile: string | null,
10-
pkgJsonPath: string | null
10+
pkgJsonPath: string | null,
11+
packageJsonConfig: { eslintConfig: any } | null
1112
) {
1213
const defaultConfig = {
1314
extends: 'next',
1415
}
1516

1617
if (eslintrcFile) {
17-
const ext = path.extname(eslintrcFile)
18+
const content = await fs.readFile(eslintrcFile, { encoding: 'utf8' }).then(
19+
(txt) => txt.trim().replace(/\n/g, ''),
20+
() => null
21+
)
22+
23+
if (
24+
content === '' ||
25+
content === '{}' ||
26+
content === '---' ||
27+
content === 'module.exports = {}'
28+
) {
29+
const ext = path.extname(eslintrcFile)
1830

19-
let fileContent
20-
if (ext === '.yaml' || ext === '.yml') {
21-
fileContent = "extends: 'next'"
22-
} else {
23-
fileContent = CommentJson.stringify(defaultConfig, null, 2)
31+
let newFileContent
32+
if (ext === '.yaml' || ext === '.yml') {
33+
newFileContent = "extends: 'next'"
34+
} else {
35+
newFileContent = CommentJson.stringify(defaultConfig, null, 2)
2436

25-
if (ext === '.js') {
26-
fileContent = 'module.exports = ' + fileContent
37+
if (ext === '.js') {
38+
newFileContent = 'module.exports = ' + newFileContent
39+
}
2740
}
28-
}
2941

30-
await fs.writeFile(eslintrcFile, fileContent + os.EOL)
42+
await fs.writeFile(eslintrcFile, newFileContent + os.EOL)
3143

32-
console.log(
33-
'\n' +
44+
console.log(
3445
chalk.green(
35-
`We detected ESLint in your project and updated the ${chalk.bold(
46+
`We detected an empty ESLint configuration file (${chalk.bold(
3647
path.basename(eslintrcFile)
37-
)} file for you.`
38-
) +
39-
'\n'
40-
)
41-
} else if (pkgJsonPath) {
42-
const pkgJsonContent = await fs.readFile(pkgJsonPath, {
43-
encoding: 'utf8',
44-
})
45-
let packageJsonConfig = CommentJson.parse(pkgJsonContent)
46-
48+
)}) and updated it for you to include the base Next.js ESLint configuration.`
49+
)
50+
)
51+
}
52+
} else if (
53+
packageJsonConfig?.eslintConfig &&
54+
Object.entries(packageJsonConfig?.eslintConfig).length === 0
55+
) {
4756
packageJsonConfig.eslintConfig = defaultConfig
4857

58+
if (pkgJsonPath)
59+
await fs.writeFile(
60+
pkgJsonPath,
61+
CommentJson.stringify(packageJsonConfig, null, 2) + os.EOL
62+
)
63+
64+
console.log(
65+
chalk.green(
66+
`We detected an empty ${chalk.bold(
67+
'eslintConfig'
68+
)} field in package.json and updated it for you to include the base Next.js ESLint configuration.`
69+
)
70+
)
71+
} else {
4972
await fs.writeFile(
50-
pkgJsonPath,
51-
CommentJson.stringify(packageJsonConfig, null, 2) + os.EOL
73+
'.eslintrc',
74+
CommentJson.stringify(defaultConfig, null, 2) + os.EOL
5275
)
5376

5477
console.log(
55-
'\n' +
56-
chalk.green(
57-
`We detected ESLint in your project and updated the ${chalk.bold(
58-
'eslintConfig'
59-
)} field for you in package.json...`
60-
) +
61-
'\n'
78+
chalk.green(
79+
`We created the ${chalk.bold(
80+
'.eslintrc'
81+
)} file for you and included the base Next.js ESLint configuration.`
82+
)
6283
)
6384
}
6485
}

‎packages/next/lib/has-necessary-dependencies.ts

+33-21
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
import chalk from 'chalk'
2-
import path from 'path'
2+
import { basename, join } from 'path'
33

44
import { fileExists } from './file-exists'
55
import { getOxfordCommaList } from './oxford-comma-list'
@@ -24,7 +24,9 @@ export async function hasNecessaryDependencies(
2424
baseDir: string,
2525
checkTSDeps: boolean,
2626
checkESLintDeps: boolean,
27-
eslintrcFile: string | null = null
27+
eslintrcFile: string = '',
28+
pkgJsonEslintConfig: boolean = false,
29+
lintDuringBuild: boolean = false
2830
): Promise<NecessaryDependencies> {
2931
if (!checkTSDeps && !checkESLintDeps) {
3032
return { resolved: undefined! }
@@ -55,28 +57,39 @@ export async function hasNecessaryDependencies(
5557
const packagesHuman = getOxfordCommaList(missingPackages.map((p) => p.pkg))
5658
const packagesCli = missingPackages.map((p) => p.pkg).join(' ')
5759

58-
const yarnLockFile = path.join(baseDir, 'yarn.lock')
60+
const yarnLockFile = join(baseDir, 'yarn.lock')
5961
const isYarn = await fileExists(yarnLockFile).catch(() => false)
60-
const removalMsg = checkTSDeps
61-
? chalk.bold(
62-
'If you are not trying to use TypeScript, please remove the ' +
63-
chalk.cyan('tsconfig.json') +
64-
' file from your package root (and any TypeScript files in your pages directory).'
65-
)
66-
: chalk.bold(
67-
`If you are not trying to use ESLint, please remove the ${
68-
eslintrcFile
69-
? chalk.cyan(path.basename(eslintrcFile)) +
70-
' file from your application'
71-
: chalk.cyan('eslintConfig') + ' field from your package.json file'
72-
}.`
73-
)
62+
63+
const removalTSMsg =
64+
'\n\n' +
65+
chalk.bold(
66+
'If you are not trying to use TypeScript, please remove the ' +
67+
chalk.cyan('tsconfig.json') +
68+
' file from your package root (and any TypeScript files in your pages directory).'
69+
)
70+
const removalLintMsg =
71+
`\n\n` +
72+
(lintDuringBuild
73+
? `If you do not want to run ESLint during builds, run ${chalk.bold.cyan(
74+
'next build --no-lint'
75+
)}` +
76+
(!!eslintrcFile
77+
? ` or remove the ${chalk.bold(
78+
basename(eslintrcFile)
79+
)} file from your package root.`
80+
: pkgJsonEslintConfig
81+
? ` or remove the ${chalk.bold(
82+
'eslintConfig'
83+
)} field from package.json.`
84+
: '')
85+
: `Once installed, run ${chalk.bold.cyan('next lint')} again.`)
86+
const removalMsg = checkTSDeps ? removalTSMsg : removalLintMsg
7487

7588
throw new FatalError(
7689
chalk.bold.red(
77-
`It looks like you're trying to use ${
78-
checkTSDeps ? 'TypeScript' : 'ESLint'
79-
} but do not have the required package(s) installed.`
90+
checkTSDeps
91+
? `It looks like you're trying to use TypeScript but do not have the required package(s) installed.`
92+
: `To use ESLint, additional required package(s) must be installed.`
8093
) +
8194
'\n\n' +
8295
chalk.bold(`Please install ${chalk.bold(packagesHuman)} by running:`) +
@@ -86,7 +99,6 @@ export async function hasNecessaryDependencies(
8699
' ' +
87100
packagesCli
88101
)}` +
89-
'\n\n' +
90102
removalMsg +
91103
'\n'
92104
)

‎packages/next/lib/verifyAndLint.ts

+1-2
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,6 @@ import { Worker } from 'jest-worker'
33

44
export async function verifyAndLint(
55
dir: string,
6-
pagesDir: string,
76
numWorkers: number | undefined,
87
enableWorkerThreads: boolean | undefined
98
): Promise<void> {
@@ -18,7 +17,7 @@ export async function verifyAndLint(
1817
lintWorkers.getStdout().pipe(process.stdout)
1918
lintWorkers.getStderr().pipe(process.stderr)
2019

21-
const lintResults = await lintWorkers.runLintCheck(dir, pagesDir)
20+
const lintResults = await lintWorkers.runLintCheck(dir, null, true)
2221
if (lintResults) {
2322
console.log(lintResults)
2423
}

‎packages/next/next-server/server/config-shared.ts

-3
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,6 @@ export type NextConfig = { [key: string]: any } & {
3535
excludeDefaultMomentLocales?: boolean
3636
webpack5?: boolean
3737
}
38-
3938
experimental: {
4039
cpus?: number
4140
plugins?: boolean
@@ -55,7 +54,6 @@ export type NextConfig = { [key: string]: any } & {
5554
validator?: string
5655
skipValidation?: boolean
5756
}
58-
eslint?: boolean
5957
reactRoot?: boolean
6058
enableBlurryPlaceholder?: boolean
6159
disableOptimizedLoading?: boolean
@@ -111,7 +109,6 @@ export const defaultConfig: NextConfig = {
111109
scrollRestoration: false,
112110
stats: false,
113111
externalDir: false,
114-
eslint: false,
115112
reactRoot: Number(process.env.NEXT_PRIVATE_REACT_ROOT) > 0,
116113
enableBlurryPlaceholder: false,
117114
disableOptimizedLoading: true,

‎test-pnp.sh

+1-1
Original file line numberDiff line numberDiff line change
@@ -39,5 +39,5 @@ do
3939
yarn config set enableGlobalCache true
4040
yarn link --all --private -r ../..
4141

42-
yarn build
42+
yarn build --no-lint
4343
done

‎test/eslint-plugin-next/no-sync-scripts.unit.test.js

+2-2
Original file line numberDiff line numberDiff line change
@@ -60,7 +60,7 @@ ruleTester.run('sync-scripts', rule, {
6060
errors: [
6161
{
6262
message:
63-
'Synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
63+
'External synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
6464
type: 'JSXOpeningElement',
6565
},
6666
],
@@ -82,7 +82,7 @@ ruleTester.run('sync-scripts', rule, {
8282
errors: [
8383
{
8484
message:
85-
'Synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
85+
'External synchronous scripts are forbidden. See: https://nextjs.org/docs/messages/no-sync-scripts.',
8686
type: 'JSXOpeningElement',
8787
},
8888
],

‎test/integration/create-next-app/index.test.js

+17-1
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,9 @@ describe('create next app', () => {
5252
expect(
5353
fs.existsSync(path.join(cwd, projectName, 'pages/index.js'))
5454
).toBeTruthy()
55+
expect(
56+
fs.existsSync(path.join(cwd, projectName, '.eslintrc'))
57+
).toBeTruthy()
5558
expect(
5659
fs.existsSync(path.join(cwd, projectName, 'node_modules/next'))
5760
).toBe(true)
@@ -121,6 +124,9 @@ describe('create next app', () => {
121124
expect(
122125
fs.existsSync(path.join(cwd, projectName, 'next-env.d.ts'))
123126
).toBeTruthy()
127+
expect(
128+
fs.existsSync(path.join(cwd, projectName, '.eslintrc'))
129+
).toBeTruthy()
124130
expect(
125131
fs.existsSync(path.join(cwd, projectName, 'node_modules/next'))
126132
).toBe(true)
@@ -138,6 +144,8 @@ describe('create next app', () => {
138144
])
139145
expect(Object.keys(pkgJSON.devDependencies)).toEqual([
140146
'@types/react',
147+
'eslint',
148+
'eslint-config-next',
141149
'typescript',
142150
])
143151
})
@@ -242,7 +250,12 @@ describe('create next app', () => {
242250
)
243251
expect(res.exitCode).toBe(0)
244252

245-
const files = ['package.json', 'pages/index.js', '.gitignore']
253+
const files = [
254+
'package.json',
255+
'pages/index.js',
256+
'.gitignore',
257+
'.eslintrc',
258+
]
246259
files.forEach((file) =>
247260
expect(fs.existsSync(path.join(cwd, projectName, file))).toBeTruthy()
248261
)
@@ -309,6 +322,7 @@ describe('create next app', () => {
309322
'pages/index.js',
310323
'.gitignore',
311324
'node_modules/next',
325+
'.eslintrc',
312326
]
313327
files.forEach((file) =>
314328
expect(fs.existsSync(path.join(cwd, file))).toBeTruthy()
@@ -327,6 +341,7 @@ describe('create next app', () => {
327341
'pages/index.js',
328342
'.gitignore',
329343
'node_modules/next',
344+
'.eslintrc',
330345
]
331346
files.forEach((file) =>
332347
expect(fs.existsSync(path.join(cwd, projectName, file))).toBeTruthy()
@@ -344,6 +359,7 @@ describe('create next app', () => {
344359
'package.json',
345360
'pages/index.js',
346361
'.gitignore',
362+
'.eslintrc',
347363
'package-lock.json',
348364
'node_modules/next',
349365
]

‎test/integration/eslint/custom-config/next.config.js

-1
This file was deleted.

‎test/integration/eslint/custom-config/package.json

-10
This file was deleted.

‎test/integration/eslint/first-time-setup/next.config.js

-1
This file was deleted.

‎test/integration/eslint/first-time-setup/package.json

-5
This file was deleted.
+70-33
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
import { join } from 'path'
2-
import { runNextCommand } from 'next-test-utils'
2+
import { nextBuild, nextLint } from 'next-test-utils'
33
import { writeFile, readFile } from 'fs-extra'
44

55
import semver from 'next/dist/compiled/semver'
@@ -19,50 +19,87 @@ async function eslintVersion() {
1919
}
2020

2121
describe('ESLint', () => {
22-
it('should populate eslint config automatically for first time setup', async () => {
23-
const eslintrc = join(dirFirstTimeSetup, '.eslintrc')
24-
await writeFile(eslintrc, '')
22+
describe('Next Build', () => {
23+
test('first time setup', async () => {
24+
const eslintrc = join(dirFirstTimeSetup, '.eslintrc')
25+
await writeFile(eslintrc, '')
2526

26-
const { stdout } = await runNextCommand(['build', dirFirstTimeSetup], {
27-
stdout: true,
27+
const { stdout, stderr } = await nextBuild(dirFirstTimeSetup, [], {
28+
stdout: true,
29+
stderr: true,
30+
})
31+
const output = stdout + stderr
32+
const eslintrcContent = await readFile(eslintrc, 'utf8')
33+
34+
expect(output).toContain(
35+
'We detected an empty ESLint configuration file (.eslintrc) and updated it for you to include the base Next.js ESLint configuration.'
36+
)
37+
expect(eslintrcContent.trim().replace(/\s/g, '')).toMatch(
38+
'{"extends":"next"}'
39+
)
2840
})
2941

30-
const eslintrcContent = await readFile(eslintrc, 'utf8')
42+
test('shows warnings and errors', async () => {
43+
const { stdout, stderr } = await nextBuild(dirCustomConfig, [], {
44+
stdout: true,
45+
stderr: true,
46+
})
47+
48+
const output = stdout + stderr
49+
const version = await eslintVersion()
3150

32-
expect(stdout).toContain(
33-
'We detected ESLint in your project and updated the .eslintrc file for you.'
34-
)
35-
expect(eslintrcContent.trim().replace(/\s/g, '')).toMatch(
36-
'{"extends":"next"}'
37-
)
51+
if (!version || (version && semver.lt(version, '7.0.0'))) {
52+
expect(output).toContain(
53+
'Your project has an older version of ESLint installed'
54+
)
55+
expect(output).toContain('Please upgrade to v7 or later')
56+
} else {
57+
expect(output).toContain(
58+
'Error: Comments inside children section of tag should be placed inside braces'
59+
)
60+
}
61+
})
3862
})
3963

40-
test('shows warnings and errors', async () => {
41-
let output = ''
64+
describe('Next Lint', () => {
65+
test('first time setup', async () => {
66+
const eslintrc = join(dirFirstTimeSetup, '.eslintrc')
67+
await writeFile(eslintrc, '')
4268

43-
const { stdout, stderr } = await runNextCommand(
44-
['build', dirCustomConfig],
45-
{
69+
const { stdout, stderr } = await nextLint(dirFirstTimeSetup, [], {
4670
stdout: true,
4771
stderr: true,
48-
}
49-
)
72+
})
73+
const output = stdout + stderr
74+
const eslintrcContent = await readFile(eslintrc, 'utf8')
5075

51-
output = stdout + stderr
52-
const version = await eslintVersion()
53-
54-
if (!version || (version && semver.lt(version, '7.0.0'))) {
55-
expect(output).toContain(
56-
'Your project has an older version of ESLint installed'
57-
)
5876
expect(output).toContain(
59-
'Please upgrade to v7 or later to run ESLint during the build process'
77+
'We detected an empty ESLint configuration file (.eslintrc) and updated it for you to include the base Next.js ESLint configuration.'
6078
)
61-
} else {
62-
expect(output).toContain('Failed to compile')
63-
expect(output).toContain(
64-
'Error: Comments inside children section of tag should be placed inside braces'
79+
expect(eslintrcContent.trim().replace(/\s/g, '')).toMatch(
80+
'{"extends":"next"}'
6581
)
66-
}
82+
})
83+
84+
test('shows warnings and errors', async () => {
85+
const { stdout, stderr } = await nextLint(dirCustomConfig, [], {
86+
stdout: true,
87+
stderr: true,
88+
})
89+
90+
const output = stdout + stderr
91+
const version = await eslintVersion()
92+
93+
if (!version || (version && semver.lt(version, '7.0.0'))) {
94+
expect(output).toContain(
95+
'Your project has an older version of ESLint installed'
96+
)
97+
expect(output).toContain('Please upgrade to v7 or later')
98+
} else {
99+
expect(output).toContain(
100+
'Error: Comments inside children section of tag should be placed inside braces'
101+
)
102+
}
103+
})
67104
})
68105
})

‎test/lib/next-test-utils.js

+4
Original file line numberDiff line numberDiff line change
@@ -254,6 +254,10 @@ export function nextExportDefault(dir, opts = {}) {
254254
return runNextCommand(['export', dir], opts)
255255
}
256256

257+
export function nextLint(dir, args = [], opts = {}) {
258+
return runNextCommand(['lint', dir, ...args], opts)
259+
}
260+
257261
export function nextStart(dir, port, opts = {}) {
258262
return runNextCommandDev(['start', '-p', port, dir], undefined, {
259263
...opts,

0 commit comments

Comments
 (0)
Please sign in to comment.