mocha: šŸ› Bug: Support `setImmediate` between hooks on Promises

Prerequisites

  • Checked that your issue isnā€™t already filed by cross referencing issues with the common mistake label
  • Checked next-gen ES issues and syntax problems by using the same environment and/or transpiler configuration without Mocha to ensure it isnā€™t just a feature that actually isnā€™t supported in the environment in question or a bug in your code.
  • ā€˜Smoke testedā€™ the code to be tested by running it outside the real test suite to get a better sense of whether the problem is in the code under test, your usage of Mocha, or Mocha itself
  • Ensured that there is no discrepancy between the locally and globally installed versions of Mocha. You can find them with: node node_modules/.bin/mocha --version(Local) and mocha --version(Global). We recommend avoiding the use of globally installed Mocha.

Description

Iā€™m opening this issue as a result of an investigation into https://github.com/domenic/chai-as-promised/issues/173. However, thereā€™s a lot of unrelated noise in that thread, so Iā€™ll demonstrate the issue here independently of chai-as-promised.

Hooks typically wait until the next tick of the event loop before proceeding, per these lines. As a result, if a Promise with no rejection handler is declared in a hook prior to the test in which the rejection handler is added to the Promise, then a warning is typically generated about an unhandled promise rejection, followed by another warning about asynchronous handling of the promise rejection.

I used the word ā€œtypicallyā€ twice above because what I described doesnā€™t apply to the final beforeEach prior to the test; unlike the other hooks, the final beforeEach proceeds immediately to the test, without waiting for the next tick of the event loop.

Steps to Reproduce

Example 1:

let promise;

describe("mySuite", function () {
  before(function () {
    promise = Promise.reject(new Error());
  });

  it("myTest", function () {
    promise.catch(function () {});
  });
});

Example 2:

let promise;

describe("mySuite", function () {
  beforeEach(function () {  // This is the only different line
    promise = Promise.reject(new Error());
  });

  it("myTest", function () {
    promise.catch(function () {});
  });
});

Expected behavior: Although the tests are meaningless, ideally Iā€™d expect neither of the examples to generate any unhandled promise rejection warnings, or at least for both examples to result in the same behavior.

Actual behavior: Example 1 generates an unhandled promise rejection and Example 2 doesnā€™t.

Example 1 output:

mocha

mySuite (node:14219) UnhandledPromiseRejectionWarning: Unhandled promise rejection (rejection id: 1): Error (node:14219) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code. āœ“ myTest (node:14219) PromiseRejectionHandledWarning: Promise rejection was handled asynchronously (rejection id: 1)

1 passing (11ms)

Example 2 output:

mocha

mySuite āœ“ myTest

1 passing (7ms)

Reproduces how often: 100%

Versions

Node v8.5.0 Mocha v3.5.3

Additional Information

Changing this line to favor process.nextTick over global.setImmediate fixes the issue so that neither example generates a warning, and the Mocha test suite still passes. But I donā€™t know what other consequences there are.

I think that in most situations this issue isnā€™t a problem. Most promises being tested in the wild have (or should have) rejection handlers already registered, so no warning would be generated in those cases, despite the next tick between hooks. I just started digging in order to understand what was happening with https://github.com/domenic/chai-as-promised/issues/173. The example in that issue is completely contrived, as are the examples I provided here.

About this issue

  • Original URL
  • State: open
  • Created 7 years ago
  • Reactions: 2
  • Comments: 15 (8 by maintainers)

Commits related to this issue

Most upvoted comments

And it makes it almost impossible to use mocha for testing constructs like Promises where whether something happens in same or next tick is part of what the tests are meant to check.

My gut instinct here is that if the behavior occurring within a tick is whatā€™s being tested then it belongs inside the test. E.g. instead of this:

describe("my promise", function() {
  var myPromise
  before|beforeEach(function() {
    myPromise = MyPromise.resolve(42)
  })
  it("should wait a tick to resolve", function() {
    assert(myPromise.isPending())
  })
  it("should use the resolved value", function() {
    return myPromise.then(function(value) {
      assert(value === 42)
    })
  })
  it("should have whatever other special behavior", function() {
    return doWhateverWith(myPromise)
  })
})

ā€¦do this instead (although it looks a little awkward):

describe("my promise", function() {
  var myPromise
  before|beforeEach(function() {
    myPromise = MyPromise.resolve(42)
  })
  it("should wait a tick to resolve", function() {
    // test how quickly it resolves -- so not reusing the usual value for the suite in this test case
    assert(MyPromise.resolve().isPending())
  })
  it("should use the resolved value", function() {
    return myPromise.then(function(value) {
      assert(value === 42)
    })
  })
  it("should have whatever other special behavior", function() {
    return doWhateverWith(myPromise)
  })
})

A much stronger case, in my opinion, is https://github.com/domenic/chai-as-promised/issues/173#issuecomment-330409841 ā€“ which essentially means that there is no way to set up a rejected promise before the test (once Node starts treating unhandled rejections the same way it treats unhandled exceptions). Is there some workaround ā€“ some way to define what the promise will be/do but not eagerly run it? Maybe something like this?

describe("my promise", function() {
  var makeMyPromise
  before(function() { // equivalent to beforeEach due to thunk
    makeMyPromise = function() { return MyPromise.reject(new Error("example")) }
  })
  // or
  var makeMyPromise
  before(function() {
    // WARNING: in this version the *first* test must handle the rejection,
    // and all subsequent tests are allowed to ignore it even if they shouldn't!
    var cache
    makeMyPromise = function() {
      if (!cache) { cache = MyPromise.reject(new Error("example")) }
      return cache
    }
  })
  // or
  function makeMyPromise() { // equivalent to beforeEach due to thunk
    return MyPromise.reject(new Error("example"))
  }
  // end or branches
  it("should wait a tick to complete", function() {
    var promise = makeMyPromise()
    assert(promise.isPending())
    // the end value/result of this promise is not relevant in this test: hack to suppress rejection warning/error
    promise.catch(function() {})
    // note that in the caching version,
    // provided the below test for `catch`ing is moved up to be the first test,
    // this can be simplified to `assert(makeMyPromise().isPending())`;
    // but that version will prevent any warnings about any subsequent test that forgets to handle it!
  })
  it("should use the rejected error", function() {
    return makeMyPromise().catch(function(error) {
      assert(error.message === "example")
    })
  })
  it("should have whatever other special behavior", function() {
    return doWhateverWith(makeMyPromise())
  })
})

Thereā€™s a downside that one has to know about the problem and this solution. Might be other downsides Iā€™m missing at this point. This also exposes an inherent conflict between ā€œif I create a new promise for each test then every test must handle the rejection even if itā€™s irrelevantā€ and ā€œif I reuse a promise then the first test handling its rejection would allow the rest to ignore it whether they should or notā€*; but I am pretty sure that issue is going to be present regardless of how the promise is created or whether and where itā€™s stored.

*(EDITTED TO ADD: you could bypass the need for the first test to be the one that handles the rejection if you immediately .catch(function() {}) the promise to suppress the error ā€“ without saving the caught version so you can still examine the rejection in the original ā€“ in fact, the real danger Iā€™m getting at is that even if you use the first-test-catches approach instead of that obvious hack it has the same effect on the rest of the tests as the hack would.)

Consistency around the hook behavior is needed, but more importantly users just need to know what to expect. It doesnā€™t work quite right atm, and thereā€™s an open discussion (though dormant) about how various failure conditions in the hooks should impact the tests.

Iā€™m 99% sure the intent of setImmediate(fn) was ā€œexecute this before setTimeout(fn) would.ā€

So yeah, bug. Thanks šŸ‘