Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit c65ed54

Browse files
committedOct 20, 2022
[New] : Add option
1 parent c3d14cb commit c65ed54

File tree

4 files changed

+73
-18
lines changed

4 files changed

+73
-18
lines changed
 

‎CHANGELOG.md

+3
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,7 @@ This change log adheres to standards from [Keep a CHANGELOG](https://keepachange
1717
- [`order`]: new `alphabetize.orderImportKind` option to sort imports with same path based on their kind (`type`, `typeof`) ([#2544], thanks [@stropho])
1818
- [`consistent-type-specifier-style`]: add rule ([#2473], thanks [@bradzacher])
1919
- Add [`no-empty-named-blocks`] rule ([#2568], thanks [@guilhermelimak])
20+
- [`no-extraneous-dependencies`]: Add `considerInParents` option to support package.json files in parent folders ([#2481], thanks [@luxaritas])
2021

2122
### Fixed
2223
- [`order`]: move nested imports closer to main import entry ([#2396], thanks [@pri1311])
@@ -1028,6 +1029,7 @@ for info on changes for earlier releases.
10281029
[#2506]: https://github.com/import-js/eslint-plugin-import/pull/2506
10291030
[#2503]: https://github.com/import-js/eslint-plugin-import/pull/2503
10301031
[#2490]: https://github.com/import-js/eslint-plugin-import/pull/2490
1032+
[#2481]: https://github.com/import-js/eslint-plugin-import/pull/2481
10311033
[#2473]: https://github.com/import-js/eslint-plugin-import/pull/2473
10321034
[#2466]: https://github.com/import-js/eslint-plugin-import/pull/2466
10331035
[#2459]: https://github.com/import-js/eslint-plugin-import/pull/2459
@@ -1672,6 +1674,7 @@ for info on changes for earlier releases.
16721674
[@ludofischer]: https://github.com/ludofischer
16731675
[@Lukas-Kullmann]: https://github.com/Lukas-Kullmann
16741676
[@lukeapage]: https://github.com/lukeapage
1677+
[@luxaritas]: https://github.com/luxaritas
16751678
[@lydell]: https://github.com/lydell
16761679
[@magarcia]: https://github.com/magarcia
16771680
[@Mairu]: https://github.com/Mairu

‎docs/rules/no-extraneous-dependencies.md

+10-1
Original file line numberDiff line numberDiff line change
@@ -37,7 +37,16 @@ There are 2 boolean options to opt into checking extra imports that are normally
3737
"import/no-extraneous-dependencies": ["error", {"includeInternal": true, "includeTypes": true}]
3838
```
3939

40-
Also there is one more option called `packageDir`, this option is to specify the path to the folder containing package.json.
40+
To take `package.json` files in parent directories into account, use the `considerInParents` option.
41+
This takes an array of strings, which can include `"prod"`, `"dev"`, `"peer"`, `"optional"`, `"bundled"`.
42+
43+
For example, the following would allow imports when the relevant packages are found in either `dependencies`
44+
or `devDependencies` in either the closest `package.json` or any `package.json` found in parent directories:
45+
```js
46+
"import/no-extraneous-dependencies": ["error", {"considerInParents": ["prod", "dev"]}]
47+
```
48+
49+
To specify the path to the folder containing package.json, use the `packageDir` option.
4150

4251
If provided as a relative path string, will be computed relative to the current working directory at linter execution time. If this is not ideal (does not work with some editor integrations), consider using `__dirname` to provide a path relative to your configuration.
4352

‎src/rules/no-extraneous-dependencies.js

+40-16
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
import path from 'path';
22
import fs from 'fs';
3-
import pkgUp from 'eslint-module-utils/pkgUp';
43
import minimatch from 'minimatch';
54
import resolve from 'eslint-module-utils/resolve';
65
import moduleVisitor from 'eslint-module-utils/moduleVisitor';
6+
import includes from 'array-includes';
77
import importType from '../core/importType';
88
import { getFilePackageName } from '../core/packagePath';
99
import docsUrl from '../docsUrl';
@@ -40,16 +40,41 @@ function extractDepFields(pkg) {
4040
};
4141
}
4242

43-
function getPackageDepFields(packageJsonPath, throwAtRead) {
44-
if (!depFieldCache.has(packageJsonPath)) {
45-
const depFields = extractDepFields(readJSON(packageJsonPath, throwAtRead));
46-
depFieldCache.set(packageJsonPath, depFields);
43+
function getPackageDepFields(packageDir, considerInParents, requireInDir) {
44+
const cacheKey = JSON.stringify({ packageDir, considerInParents });
45+
46+
if (!depFieldCache.has(cacheKey)) {
47+
// try in the current directory, erroring if the user explicitly specified this directory
48+
// and reading fails
49+
const parsedPackage = readJSON(path.join(packageDir, 'package.json'), requireInDir);
50+
const depFields = extractDepFields(parsedPackage || {});
51+
52+
// If readJSON returned nothing, we want to keep searching since the current directory didn't
53+
// have a package.json. Also keep searching if we're merging in some set of parents dependencies.
54+
// However, if we're already at the root, stop.
55+
if ((!parsedPackage || considerInParents.length > 0) && packageDir !== path.parse(packageDir).root) {
56+
const parentDepFields = getPackageDepFields(path.dirname(packageDir), considerInParents, false);
57+
58+
Object.keys(depFields).forEach(depsKey => {
59+
if (
60+
(depsKey === 'dependencies' && includes(considerInParents, 'prod') )||
61+
(depsKey === 'devDependencies' && includes(considerInParents, 'dev')) ||
62+
(depsKey === 'peerDependencies' && includes(considerInParents, 'peer')) ||
63+
(depsKey === 'optionalDependencies' && includes(considerInParents, 'optional')) ||
64+
(depsKey === 'bundledDependencies' && includes(considerInParents, 'bundled'))
65+
) {
66+
Object.assign(depFields[depsKey], parentDepFields[depsKey]);
67+
}
68+
});
69+
}
70+
71+
depFieldCache.set(cacheKey, depFields);
4772
}
4873

49-
return depFieldCache.get(packageJsonPath);
74+
return depFieldCache.get(cacheKey);
5075
}
5176

52-
function getDependencies(context, packageDir) {
77+
function getDependencies(context, packageDir, considerInParents) {
5378
let paths = [];
5479
try {
5580
const packageContent = {
@@ -71,22 +96,20 @@ function getDependencies(context, packageDir) {
7196
if (paths.length > 0) {
7297
// use rule config to find package.json
7398
paths.forEach(dir => {
74-
const packageJsonPath = path.join(dir, 'package.json');
75-
const _packageContent = getPackageDepFields(packageJsonPath, true);
99+
const _packageContent = getPackageDepFields(dir, considerInParents, true);
76100
Object.keys(packageContent).forEach(depsKey =>
77101
Object.assign(packageContent[depsKey], _packageContent[depsKey]),
78102
);
79103
});
80104
} else {
81-
const packageJsonPath = pkgUp({
82-
cwd: context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename(),
83-
normalize: false,
84-
});
85-
86105
// use closest package.json
87106
Object.assign(
88107
packageContent,
89-
getPackageDepFields(packageJsonPath, false),
108+
getPackageDepFields(
109+
path.dirname(context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename()),
110+
considerInParents,
111+
false,
112+
),
90113
);
91114
}
92115

@@ -268,6 +291,7 @@ module.exports = {
268291
'packageDir': { 'type': ['string', 'array'] },
269292
'includeInternal': { 'type': ['boolean'] },
270293
'includeTypes': { 'type': ['boolean'] },
294+
'considerInParents': { 'type': ['array'] },
271295
},
272296
'additionalProperties': false,
273297
},
@@ -277,7 +301,7 @@ module.exports = {
277301
create(context) {
278302
const options = context.options[0] || {};
279303
const filename = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
280-
const deps = getDependencies(context, options.packageDir) || extractDepFields({});
304+
const deps = getDependencies(context, options.packageDir, options.considerInParents || []) || extractDepFields({});
281305

282306
const depsOptions = {
283307
allowDevDeps: testConfig(options.devDependencies, filename) !== false,

‎tests/src/rules/no-extraneous-dependencies.js

+20-1
Original file line numberDiff line numberDiff line change
@@ -116,6 +116,18 @@ ruleTester.run('no-extraneous-dependencies', rule, {
116116
code: 'import rightpad from "right-pad";',
117117
options: [{ packageDir: [packageDirMonoRepoRoot, packageDirMonoRepoWithNested] }],
118118
}),
119+
test({
120+
code: 'import leftpad from "left-pad";',
121+
options: [{ packageDir: packageDirMonoRepoWithNested, considerInParents: ['prod', 'dev'] }],
122+
}),
123+
test({
124+
code: 'import rightpad from "right-pad";',
125+
options: [{ packageDir: packageDirMonoRepoWithNested, considerInParents: ['prod', 'dev'] }],
126+
}),
127+
test({
128+
code: 'import leftpad from "left-pad";',
129+
options: [{ packageDir: packageDirMonoRepoWithNested, considerInParents: ['dev'] }],
130+
}),
119131
test({ code: 'import foo from "@generated/foo"' }),
120132
test({
121133
code: 'import foo from "@generated/foo"',
@@ -319,6 +331,13 @@ ruleTester.run('no-extraneous-dependencies', rule, {
319331
message: "'left-pad' should be listed in the project's dependencies. Run 'npm i -S left-pad' to add it",
320332
}],
321333
}),
334+
test({
335+
code: 'import leftpad from "left-pad";',
336+
options: [{ packageDir: packageDirMonoRepoWithNested, considerInParents: ['prod'] }],
337+
errors: [{
338+
message: "'left-pad' should be listed in the project's dependencies. Run 'npm i -S left-pad' to add it",
339+
}],
340+
}),
322341
test({
323342
code: 'import react from "react";',
324343
filename: path.join(packageDirMonoRepoRoot, 'foo.js'),
@@ -438,7 +457,7 @@ describe('TypeScript', () => {
438457

439458
test(Object.assign({
440459
code: 'import type T from "a";',
441-
options: [{
460+
options: [{
442461
packageDir: packageDirWithTypescriptDevDependencies,
443462
devDependencies: false,
444463
includeTypes: true,

0 commit comments

Comments
 (0)
Please sign in to comment.