Skip to content
Permalink

Comparing changes

Choose two branches to see what’s changed or to start a new pull request. If you need to, you can also or learn more about diff comparisons.

Open a pull request

Create a new pull request by comparing changes across two branches. If you need to, you can also . Learn more about diff comparisons here.
base repository: eslint-community/eslint-plugin-promise
Failed to load repositories. Confirm that selected base ref is valid, then try again.
Loading
base: v5.1.0
Choose a base ref
...
head repository: eslint-community/eslint-plugin-promise
Failed to load repositories. Confirm that selected head ref is valid, then try again.
Loading
compare: v5.1.1
Choose a head ref
  • 6 commits
  • 7 files changed
  • 2 contributors

Commits on Apr 9, 2021

  1. Unverified

    No user is associated with the committer email.
    Copy the full SHA
    8837f53 View commit details
  2. updated changelog (5.1.0)

    xjamundx committed Apr 9, 2021
    Copy the full SHA
    4855096 View commit details

Commits on May 12, 2021

  1. Update no-callback-in-promise.md

    Add documentation of why callbacks shouldn't be invoked inside `Promise`'s `then()` and `catch()` methods.
    marcogrcr authored May 12, 2021
    Copy the full SHA
    5b7eeb8 View commit details

Commits on Oct 21, 2021

  1. Merge pull request #215 from marcogrcr/patch-1

    Update no-callback-in-promise.md
    xjamundx authored Oct 21, 2021
    Copy the full SHA
    fa81d93 View commit details
  2. Copy the full SHA
    9baaddc View commit details
  3. 5.1.1

    xjamundx committed Oct 21, 2021
    Copy the full SHA
    a0fc1fa View commit details
Showing with 122 additions and 7 deletions.
  1. +3 −2 CHANGELOG.md
  2. +8 −0 __tests__/no-callback-in-promise.js
  3. +28 −1 __tests__/prefer-await-to-callbacks.js
  4. +56 −2 docs/rules/no-callback-in-promise.md
  5. +1 −1 package-lock.json
  6. +1 −1 package.json
  7. +25 −0 rules/prefer-await-to-callbacks.js
5 changes: 3 additions & 2 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
@@ -1,7 +1,8 @@
## 5.1.0

- Included `catch()` and `finally()` in `prefer-await-to-then`
- Added some additional tests and upgraded some dev deps
- Included `catch()` and `finally()` in `prefer-await-to-then` #196
- Added some additional tests and upgraded some dev deps #196
- Exempted array methods in prefer-await-to-callbacks ([#212](https://github.com/xjamundx/eslint-plugin-promise/issues/212))

## 5.0.0

8 changes: 8 additions & 0 deletions __tests__/no-callback-in-promise.js
Original file line number Diff line number Diff line change
@@ -17,6 +17,14 @@ ruleTester.run('no-callback-in-promise', rule, {
'function thing(callback) { callback() }',
'doSomething(function(err) { callback(err) })',

// TODO: support safe callbacks (see #220)
// 'whatever.then((err) => { process.nextTick(() => cb()) })',
// 'whatever.then((err) => { setImmediate(() => cb())) })',
// 'whatever.then((err) => setImmediate(() => cb()))',
// 'whatever.then((err) => process.nextTick(() => cb()))',
// 'whatever.then((err) => process.nextTick(cb))',
// 'whatever.then((err) => setImmediate(cb))',

// arrow functions and other things
'let thing = (cb) => cb()',
'doSomething(err => cb(err))',
29 changes: 28 additions & 1 deletion __tests__/prefer-await-to-callbacks.js
Original file line number Diff line number Diff line change
@@ -18,6 +18,17 @@ ruleTester.run('prefer-await-to-callbacks', rule, {
'dbConn.on("error", err => { console.error(err) })',
'dbConn.once("error", err => { console.error(err) })',
'heart(something => {})',
'getErrors().map(error => responseTo(error))',
'errors.filter(err => err.status === 402)',
'errors.some(err => err.message.includes("Yo"))',
'errors.every(err => err.status === 402)',
'errors.filter(err => console.log(err))',
'const error = errors.find(err => err.stack.includes("file.js"))',
'this.myErrors.forEach(function(error) { log(error); })',
'find(errors, function(err) { return err.type === "CoolError" })',
'map(errors, function(error) { return err.type === "CoolError" })',
'_.find(errors, function(error) { return err.type === "CoolError" })',
'_.map(errors, function(err) { return err.type === "CoolError" })',
],

invalid: [
@@ -58,7 +69,23 @@ ruleTester.run('prefer-await-to-callbacks', rule, {
errors: [{ message }],
},
{
code: 'heart(function(error) {})',
code: `async.map(files, fs.stat, function(err, results) { if (err) throw err; });`,
errors: [{ message }],
},
{
code: `_.map(files, fs.stat, function(err, results) { if (err) throw err; });`,
errors: [{ message }],
},
{
code: `map(files, fs.stat, function(err, results) { if (err) throw err; });`,
errors: [{ message }],
},
{
code: `map(function(err, results) { if (err) throw err; });`,
errors: [{ message }],
},
{
code: `customMap(errors, (err) => err.message)`,
errors: [{ message }],
},
],
58 changes: 56 additions & 2 deletions docs/rules/no-callback-in-promise.md
Original file line number Diff line number Diff line change
@@ -1,3 +1,57 @@
# Avoid calling `cb()` inside of a `then()` (use [nodeify][] instead) (no-callback-in-promise)
# Avoid calling `cb()` inside of a `then()` or `catch()` (no-callback-in-promise)

[nodeify]: https://www.npmjs.com/package/nodeify
As a general rule, callbacks should never be directly invoked inside a [Promise.prototype.then()] or [Promise.prototype.catch()] method. That's because your callback may be unintentionally be invoked twice. It also can be confusing to mix paradigms.

Take the following example:

```js
function callback(err, data) {
console.log("Callback got called with:", err, data);
throw new Error("My error");
}

// note: passing `err.message` for demo purposes, normally you would pass `err`
Promise.resolve()
.then(() => callback(null, "data"))
.catch(err => callback(err.message, null));
```

If you run this example, your output will look like the following:

```
Callback got called with: null data
Callback got called with: My error null
```

**How to fix it?**

Ensure that your callback invocations are wrapped by a deferred execution function such as:
- [setImmediate()] or [process.nextTick()]: for Node.js.
- [setTimeout()]: for Browsers and Node.js.

```js
// node.js
Promise.resolve()
.then(() => setImmediate(() => callback(null, "data")))
.catch(err => setImmediate(() => callback(err.message, null)));

// node.js and browsers
Promise.resolve()
.then(() => setTimeout(() => callback(null, "data"), 0))
.catch(err => setTimeout(() => callback(err.message, null), 0));
```

Your output will now look like the following:

```js
Callback got called with: null data
```

Finally, if your callbacks have a Node.js signature (i.e. `callback(err, data)`), consider using [util.promsify] for promisifying your callback code instead of combining the approaches.

[util.promisify]: https://nodejs.org/dist/latest/docs/api/util.html#utilpromisifyoriginal
[Promise.prototype.then()]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise/then
[Promise.prototype.catch()]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise/catch
[setImmediate()]: https://nodejs.org/docs/latest-v14.x/api/timers.html#timers_setimmediate_callback_args
[process.nextTick()]: https://nodejs.org/docs/latest-v14.x/api/process.html#process_process_nexttick_callback_args
[setTimeout()]: https://developer.mozilla.org/en-US/docs/Web/API/WindowOrWorkerGlobalScope/setTimeout
2 changes: 1 addition & 1 deletion package-lock.json

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

2 changes: 1 addition & 1 deletion package.json
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
{
"name": "eslint-plugin-promise",
"version": "5.1.0",
"version": "5.1.1",
"description": "Enforce best practices for JavaScript promises",
"keywords": [
"eslint",
25 changes: 25 additions & 0 deletions rules/prefer-await-to-callbacks.js
Original file line number Diff line number Diff line change
@@ -50,6 +50,31 @@ module.exports = {
) {
return
}

// carve out exemption for map/filter/etc
const arrayMethods = [
'map',
'every',
'forEach',
'some',
'find',
'filter',
]
const isLodash =
node.callee.object &&
['lodash', 'underscore', '_'].includes(node.callee.object.name)
const callsArrayMethod =
node.callee.property &&
arrayMethods.includes(node.callee.property.name) &&
(node.arguments.length === 1 ||
(node.arguments.length === 2 && isLodash))
const isArrayMethod =
node.callee.name &&
arrayMethods.includes(node.callee.name) &&
node.arguments.length === 2
if (callsArrayMethod || isArrayMethod) return

// actually check for callbacks (I know this is the worst)
if (
arg.params &&
arg.params[0] &&