mswjs / msw

Industry standard API mocking for JavaScript.
https://mswjs.io
MIT License
16.03k stars 525 forks source link

Using delay('infinite') leaves unresolved promises which make jest warn #778

Open icatalina opened 3 years ago

icatalina commented 3 years ago

Describe the bug

⚠️ I'm not sure if this is the correct repo to report this.

When trying to use delay('infinite') to mock loading states, jest throws a warning and hangs forever.

Jest did not exit one second after the test run has completed.

This usually means that there are asynchronous operations that weren't stopped
in your tests. Consider running Jest with `--detectOpenHandles` to troubleshoot
this issue.

This happens because the promises hang forever, but I can't find a way to cancel/reject/terminate them. I'm not really sure what's the correct way of handling this.

Environment

To Reproduce

// sample.spec.js

const { rest } = require('msw');
const { setupServer } = require('msw/node');

const fetch = require('node-fetch');

it('hangs', () => {
  const server = setupServer();

  server.listen();

  server.use(rest.get('http://localhost/a-request', (_req, res, ctx) => res(ctx.delay('infinite'))));

  fetch('http://localhost/a-request').then(() => undefined).catch(console.error);

  expect(true).toBe(true);

  server.close();
});

Just to give some extra context, the real code is more like:

it('shows a loading spinner', async () => {
    render(<Component />);

    const loadingBar = await findByRole('progressbar')

    expect(loadingBar).toBeInTheDocument();
});

Expected behavior

Requests are aborted(?), the tests conclude and jest doesn't warn about opened handlers.

Screenshots

image
kettanaito commented 3 years ago

Hey, @icatalina. Thank you for reporting this.

This appears to be an issue on the library's side, as infinitely pending requests are not terminated when you call server.close(), while they should be. This shouldn't affect browsers, as the browser destroys the execution context when you reload the page.

We should decide whether this logic belongs to MSW, or to the "interceptors" library, and then design the logic to terminate all pending requests when calling server.close.

kettanaito commented 3 years ago

Semantically, interceptors do not "close" anything, they only restore the patched native modules when you call server.close():

https://github.com/mswjs/msw/blob/a1aa7db1aee72b924c012802346aa4ed11e27d12/src/node/createSetupServer.ts#L130-L133

I think the request termination logic should be on the MSW side, and the interceptors should give the means to terminate a pending request. Alternatively, the interceptors may expose an API like .terminatePendingRequests() to encapsulate that in a standalone operation.

kettanaito commented 3 years ago

Diving into the internals a bit more, I can see the termination of the pending requests to be a part of the interceptor.restore() call and not raise any confusion. The interceptors library should still expose some means to terminate such requests, and it may even call those means internally when calling the .restore() method.

I've tried to implement a basic request termination for the ClientRequest, but it doesn't work as expected. This likely happens due to the monkey patch that the interceptors library introduces. I've attempted the basic req.destroy() call that should terminate any ClientRequest in Node.js, but it produces no effect on the monkey patched ClientRequest.

lpaulger commented 3 years ago

idk if this is off-topic but I also saw this when writing UI tests. I'll add my context below:

I was trying to test the loading state of my UI, I had set the requests to delay('infinite') which worked, but resulted in the same error above Jest did not exit one second after the test has run.

I realized I don't need to force infinite loading to evaluate the loading UI state, so I ended up doing a fixed 100ms delay and then in the test can evaluate the loading state before waiting for the loading to complete.

@icatalina for example, in your test above you could do something like:

Pseudo code..

beforeEach(() => {
  server.use(rest.get('http://localhost/a-request', (_req, res, ctx) => res(ctx.delay(100))));
});

it('shows a loading spinner', async () => {
  render(<Component />);

  const loadingBar = await findByRole('progressbar'); // maybe don't need to wait?

  expect(loadingBar).toBeInTheDocument();

  await waitForElementToBeRemoved(() => findByRole('progressbar'));
});

the waitForElementToBeRemoved came from the "act issue" complaint, which Kent C Dodds talks about the cause and the solution here -> https://kentcdodds.com/blog/fix-the-not-wrapped-in-act-warning

icatalina commented 3 years ago

hi @lpaulger, thanks for the advice. I already did that but used 800ms just to make sure (this is withing the 1s that jest will allow, not ideal, but works). We should still solve the issue with infinite, making the test hang makes it pretty useless.

I wouldn't recommend using waitForElementToBeRemoved without using some sort of fake timer, it will make your test take 100ms in your case. They can add up pretty quickly and before you know it your test suite takes forever 😅

icatalina commented 3 years ago

My bad, I referenced this issue somewhere else 😅

kettanaito commented 3 years ago

Alternatively, instead of exposing the means to abort a request in Node.js, the library could try terminating the timeout that controls the request execution:

https://github.com/mswjs/msw/blob/93f4dfd7d8aa33da650ce745a8b73f572d5c3a38/src/utils/handleRequest.ts#L115-L123

I don't know how that'd treat any pending requests, though. Regardless, there can be a way in the handleRequest to clear the timeout and forcefully resolve (reject?) the pending request promise in the .resetHandlers and .close methods.

icatalina commented 2 years ago

Not sure what changed, but 'infinite' now leaves Jest hanging forever... 🤦‍♂️

icatalina commented 2 years ago

Not specially proud of this solution, but for the time being this seems to be working fine for me:

// Delay all unhandled requests forever
const defaultHandler = rest.all('*', (_req, res, ctx) => {
  const response = res(ctx.status(501));

  return new Promise((resolve) => {
    afterEach(() => resolve(response));
  });
});
finalight commented 2 years ago

No specially proud of this solution, but for the time being this seems to be working fine for me:

// Delay all unhandled requests forever
const defaultHandler = rest.all('*', (_req, res, ctx) => {
  const response = res(ctx.status(501));

  return new Promise((resolve) => {
    afterEach(() => resolve(response));
  });
});

i still have the same problem after this

kettanaito commented 2 years ago

I think with the new interceptors architecture we should be able to hard-cancel all pending promises on process.on('exit') and friends. It's a matter of force-resolving/rejecting this Promise queue. At least, this is a good place to start, as all interceptors facilitate AsyncEventEmitter to await potential listeners.

Contributions are welcome!

icatalina commented 2 years ago

@finalight, do you want to try:

rest.all('*', () => new Promise(() => undefined))

I'm not sure if I'm dreaming, but it seems to be working fine 😅

sedlukha commented 2 years ago

@finalight, do you want to try:

rest.all('*', () => new Promise(() => undefined))

I'm not sure if I'm dreaming, but it seems to be working fine 😅

Doesn't work for me too

icatalina commented 2 years ago

Latest iteration, this one seems to be working fine: (don't judge me 🤣)

const emitter = new EventEmitter();

afterEach(() => {
  emitter.emit('done');
});

export const handlers = [
  rest.all('*', (_req, res, ctx) => {
    return new Promise((resolve) => {
      listener.once('done', () => {
        resolve(res(ctx.status(500)));
      });
    });
  }),
];
kettanaito commented 2 years ago

That looks interesting, @icatalina, but we should have some internal mechanism for this. The issue with delay('infinite') is that it creates an infinite setTimeout, which is what you want (for the response to never arrive) but you want to clean that up.

Effectively, we're introducing a side-effect but we're not cleaning after ourselves. There's no concept of "finished" in the MSW runtime right now because we're not even concerning ourselves with the runtime. The library is request life-cycle-oriented at the moment. A jest test finishing would not affect the request cycle anyway.

This is not an issue for the browser since refreshing the page is enough to garbage-collect all unresolved timeouts. In Node, I'm tempted to do:

process.on('exit', () => resolveSideEffects())

The only problem is that I haven't found a reliable event to react to. "exit" won't be called sometimes. Neither should the process be killed for us to start the cleanup (imagine a --watch run with Jest). Obviously, we don't want to depend on specific library behaviors like Jest. I'm open to suggestions here.

icatalina commented 2 years ago

can't we clean up on server.close()?

kettanaito commented 2 years ago

@icatalina, interesting. Yeah, I think we could give it a try. How would you track such side-effects like this ctx.delay timeout? I imagine we need to store them somewhere and go through their cleanup in server.close().

I particularly like the Disposable pattern I've looked up in VS Code. We can adopt it partially:

function createSideEffect() {
  // create anything here

  // tell how to clean it up
  return () => {}
}

So then we could use something like this to push those side-effects into an internal list in the context and iterate over it in server.close(), calling the cleanup functions each side-effect returns.

Do you have some ideas around this?

icatalina commented 2 years ago

Hey @kettanaito, sorry for the late reply. I'm not sure I follow, I thought the idea was to kill all requests after server.close(), I'm not sure what kind of ramifications that might have tough 🤔

MattFisher commented 2 years ago

I think I've run into this same problem using msw with Storybook - I'm trying to set up per-story handlers to display loading and loaded component states similar to this, but once a request has hit a handler that has an infinite delay, subsequent requests to the same url from other stories don't fire at all because the original request is still pending in the browser.

export const LoadedActivity = {
  args: { activityId: 1 },
  decorators: [
    (Story) => {
      worker.resetHandlers(
        rest.get('/api/v1/activity/:activityId/', (req, res, ctx) =>
          res(ctx.json({ id: 1, title: 'My Activity' }))
        )
      );
      return <Story />;
    },
  ],
};

export const LoadingActivity = {
  args: { activityId: 1 },
  decorators: [
    (Story) => {
      worker.resetHandlers(
        rest.get(
          '/api/v1/activity/:activityId/',
          (req, res, ctx) => res(ctx.delay('infinite')) // Mock an infinite loading state.
        )
      );
      return <Story />;
    },
  ],
};

So in the example above, once LoadingActivity has been viewed in the Storybook UI, LoadedActivity won't render properly because its request to the mocked endpoint never happens - the infinitely delayed one is still Pending so Chrome won't send another.

kettanaito commented 2 years ago

subsequent requests to the same url from other stories don't fire at all because the original request is still pending in the browser.

I don't think that's how requests in the browser work. Each request is an isolated entry, so dispatching two identical requests will result in two different network entries, regardless of the state of other requests. There's likely a different reason those follow-up requests don't fire, but thanks for mentioning this.

kettanaito commented 2 years ago

@icatalina, yeah, killing pending requests on server.close() may be one way to do it. The challenge here is to have an isomorphic way to abort pending requests in Node.js. I think that's natively supported by XMLHttpRequest and ClientRequest, which covers most of the cases in Node.js. It's not supported in fetch, speaking of the global fetch support, but we may be able to circumvent it by creating an internal AbortController. My only concern here is how this is supposed to work when the consumer passes a custom AbortController.

I would love to see someone come up with a prototype for this. This seems to be a feature added to @mswjs/interceptors library. We don't currently keep any track of what requests are performed but it looks like we need to do that now in order to do requests.map(r => r.abort()) on the global request abort thing. Keeping track of requests on MSW's side is also possible but we still need some means from the interceptors library to perform the request cancellation. Because of that, it makes sense to move the whole logic to the lowest common ground, being the interceptors library.

Here's an approximate way we can approach this.

We have a Interceptors.prototype.dispose method that's called when disposing of each interceptors (read "server.close()")"

https://github.com/mswjs/interceptors/blob/cac847c322a80667d6fcc2a3b0318257d74abb15/src/Interceptor.ts#L169

We can extend this method in each particular interceptor and implement request cancellation.

// src/interceptors/ClientRequest/index.ts
class ClientRequestInterceptor extends Interceptor {
  private pendingRequests: Map<string, Request>

  protected setup() {
    // ...the existing setup here

    // Keep all dispatched requests internally.
    this.emitter.on('request', (request, requestId) => {
      this.pendingRequests.set(requestId, request)
    })

    // Potentially remove requests from the pending requests map.
    // The problem here is that "response" is not the only way
    // a request may settle. It may also error. Maybe hooking into
    // the "response" event is unnecessary, and we should instead
    // check the request state in "this.abortPendingRequest" before
    // aborting the request. 
    this.emitter.on('response', (response, request, requestId) => {
      this.pendingRequests.delete(requestId)
    })
  }

  public dispose() {
    super.dispose()
    this.abortPendingRequests()
  }

  private abortPendingRequests() {
    // Go through every request that's still pending
    // and abort it. 
    for (const [requestId, request] of this.pendingRequests) {
      request.abort()
    }
  }
}

Source

Moving the request cancellation logic to each individual interceptor makes sense as the base Interceptor class is rather generic and can implement any interceptors (e.g. WebSocket events interception that has no "abort" by definition).

russomp commented 2 years ago

hi @kettanaito I ran into this at the work the other day and would love to take this on if no one else is already working on it. I'm pretty new to the msw libraries but was doing some digging yesterday based on the above discussion and wanted to follow-up with some thoughts.

the problem I saw with using the request/response hooks is that we get the InteractiveRequest which I'm not sure how to abort, since what we actually need is the physical ClientRequest and/or XMLHttpRequest to call .destroy() and .abort() on respectively as far as I can tell. (let me know if I am missing something here though since like I said this is a bit new to me 😊)

assuming the above is correct, was wondering what you thought about emitting a new request-internal event that gives us the actual "internal" request instances we need for this with their associated ids to consume or providing an internal setter to register new internal requests with the interceptor. Alternatively, I was messing around with overriding the signal property in NodeClientRequest like so

// src/interceptors/ClientRequest/NodeClientRequest.ts
...
constructor(
    [url, requestOptions, callback]: NormalizedClientRequestArgs,
    options: NodeClientOptions  // extended to take abort controller from interceptor
  ) {
    const requestOptionsWithSignalOverride = {
      ...requestOptions,
      signal: options.requestController.signal,
    }

    // if user tries to abort using passed signal setup listener to call signal override to abort
    function onAbort() {
      options.requestController.abort()
      requestOptions.signal?.removeEventListener('abort', onAbort)
    }
    requestOptions.signal?.addEventListener('abort', onAbort)

    super(requestOptionsWithSignalOverride, callback)
    ...

that would then allow the interceptor to call requestController.abort() when dispose is called while preserving any user passed signals but I wasn't sure if that would work as nicely for XMLHttpRequest (although I did see some examples about how we might make that work). The abort controller approach is also not as extenisble though if we want to do anything else with the pending requests being tracked with the first approach in the future I suppose.

DannyBiezen commented 1 year ago

I just ran into this issue as well. It'd be great to have support for this as currently quite a lot of my tests have to use an arbitrary delay which makes them flaky.

kettanaito commented 1 year ago

Hey, @russomp. Thanks for showing interest in working on this! Let's go through the points you've mentioned.

the problem I saw with using the request/response hooks is that we get the InteractiveRequest which I'm not sure how to abort, since what we actually need is the physical ClientRequest and/or XMLHttpRequest to call .destroy() and .abort() on respectively as far as I can tell.

That's correct, and the Interceptors used to expose a reference to the request instance but they don't do that anymore. Anyhow, MSW shouldn't handle this directly, but instead, the Interceptors must expose an API to do that implicitly do that for us, as the references on that level are still available and it's the Interceptors that should have an API to abort any pending requests.

assuming the above is correct, was wondering what you thought about emitting a new request-internal event that gives us the actual "internal" request instances

I think this inverses the control if I understand your suggestion correctly. If you mean this:

consumer -> emit "request-internal" -> get request refs -> call ref.abort()

Then the control flow here is incorrect. We already have consumer (MSW) / library (Interceptors) communication in a form of interceptors API. So, I think no changes are needed on MSW's side to try to solve this. The Interceptors library needs to implicitly kill any pending requests of the interceptor's kind upon interceptor.dispose() of the respective interceptor.

Your signal based-take is interesting but I'm not sure to what extent we can reuse that across different interceptors (XHR/fetch). The way I would recommend approaching this implementation is to stay request module-agnostic, so what we come up with works for any interceptor the very same way. That's why using the Interceptor class as the common ground for this sounds like a good initial idea:

  1. The interceptor has access to an emitter that manages request/response events.
  2. The interceptor can create a "request" listener and store any performed request internally.
  3. Upon dispose(), the interceptor goes through each stored request and performs request.abort() (or other, based on the intercepted request type).

What remains as a question is whether this behavior can be safely applied to all interceptors. Whether you'd always want to abort pending requests when disposing of an interceptor. In other words, to think about the cases when you wouldn't want that to happen. I can't think of any at the top of my head right now.

This relation would work because the following call stack occurs at the end of a test run:

-> test runner: afterAll()
  -> MSW: server.close()
    -> Interceptor(s): [i].dispose()
tomasfrancisco commented 1 year ago

@finalight, do you want to try:

rest.all('*', () => new Promise(() => undefined))

I'm not sure if I'm dreaming, but it seems to be working fine 😅

This actually worked for me 🙈

JesusTheHun commented 1 year ago

@kettanaito I've submitted a PR into mswjs/interceptors to fix this issue. Would you mind taking a look ?

jd-carroll commented 11 months ago

My 2cents here...

Instead of putting this on the interceptors, I think it should be placed in the RequestHandler. I have a working solution locally that does two things: 1) Calling .close(), .dispose(), .restoreHandlers(), or .resetHandlers() on the server should abort any active request 2) Provides a mechanism for the server to have a new api of server.allActive() where you could do something like await server.allActive() -> (which can be super useful if you're testing with jest)

I'm happy to pull together a PR for these changes, but it touches all of the core API's...

So if this doesn't sound of interest or there's a low probability of it getting merged I'd love to focus on the things I should be. :stuck_out_tongue:

Again, happy to throw together PR quick, but it is not fully implemented / tested nor would I have the bandwidth to get it across the finish line by myself.

JesusTheHun commented 11 months ago

@jd-carroll can you articulate why it would be better on RequestHandler ?

jd-carroll commented 11 months ago

My primary use case was await'ing all active requests being handled by MSW, not necessarily being able to cancel any active request. And RequestHandler seemed like a good, centralized, location to implement a hook to solve that.

I've copied my implementations of RequestHandler and an updated SetupServerApi (aka. AwaitableServerApi) below.

The core concept is creating a "registration" for each request and then sharing that with the server. The registration looks like:

    const registration: HandledRequestRegistration = {
      handler: this,
      status: 'pending',
      abort: () => ac.abort(),
      promise
    };

Maybe it would be better to move this into SetupApi, but I am not familiar enough with the browser service worker implementation to know whether or not that'd even be possible. (And if its in SetupApi, I could also see an argument for moving to the interceptors.)

The implementations are not perfect, but they met my very basic needs.

Lastly, I added some abort controller logic that may be very wrong. I have not tested it fully, nor tested whether or not it is necessary (it may not be).

RequestHandler ```typescript import { AsyncResponseResolverReturnType, DefaultBodyType, RequestHandlerOptions, StrictRequest, StrictResponse } from 'msw'; import { invariant } from 'outvariant'; import { Emitter, Listener } from 'strict-event-emitter'; import { MaybePromise } from '@andook/client-core/utils/tsHelpers'; import { getCallFrame } from '../internal/getCallFrame'; import { isIterable } from '../internal/isIterable'; import { promiseWithResolvers } from '../internal/promiseWithResolvers'; import { LifeCycleEventEmitter } from '../LifeCycleEventEmitter'; import { ResponseResolutionContext } from './ResponseResolutionContext'; export interface RequestHandlerDefaultInfo { header: string; } export interface RequestHandlerInternalInfo { callFrame?: string; } export type ResponseResolverReturnType = | ([ResponseBodyType] extends [undefined] ? Response : StrictResponse) | undefined | void; export type MaybeAsyncResponseResolverReturnType = MaybePromise< ResponseResolverReturnType >; export type ResponseResolverInfo< ResolverExtraInfo extends object = object, RequestBodyType extends DefaultBodyType = undefined > = { request: StrictRequest; } & ResolverExtraInfo; export type ResponseResolver< ResolverExtraInfo extends object = object, RequestBodyType extends DefaultBodyType = undefined, ResponseBodyType extends DefaultBodyType = undefined > = ( info: ResponseResolverInfo ) => AsyncResponseResolverReturnType; export interface RequestHandlerArgs< ResponseBodyType extends DefaultBodyType = undefined, RequestBodyType extends DefaultBodyType = undefined, HandlerInfo extends RequestHandlerDefaultInfo = RequestHandlerDefaultInfo, ResolverExtras extends object = object, HandlerOptions extends RequestHandlerOptions = RequestHandlerOptions > { info: HandlerInfo; resolver: ResponseResolver; options?: HandlerOptions; } export interface RequestHandlerExecutionResult< ParsedRequest extends object = object, ParsedResponse extends object = object > { handler: RequestHandler; request: Request; parsedRequest: ParsedRequest; response?: Response; parsedResponse?: ParsedResponse; } export interface HandledRequestRegistration { handler: RequestHandler; status: 'pending' | 'settled'; promise: Promise; abort: () => void; } export type LifeCycleEventsMap = { 'request:handled': [args: HandledRequestRegistration]; }; export abstract class RequestHandler< ResponseBodyType extends DefaultBodyType = undefined, RequestBodyType extends DefaultBodyType = undefined, HandlerInfo extends RequestHandlerDefaultInfo = RequestHandlerDefaultInfo, ParsedRequest extends object = object, ParsedResponse extends object = object, ResolverExtras extends object = object, HandlerOptions extends RequestHandlerOptions = RequestHandlerOptions > { public info: HandlerInfo & RequestHandlerInternalInfo; /** * Indicates whether this request handler has been used * (its resolver has successfully executed). */ private used: boolean; private resolver: ResponseResolver; private resolverGenerator?: Generator< MaybeAsyncResponseResolverReturnType, MaybeAsyncResponseResolverReturnType, MaybeAsyncResponseResolverReturnType >; private resolverGeneratorResult?: Response | StrictResponse; private options?: HandlerOptions; private emitter = new Emitter(); public readonly events: LifeCycleEventEmitter; private capturing = false; private requests: ParsedRequest[] = []; private responses: ParsedResponse[] = []; constructor( args: RequestHandlerArgs ) { this.resolver = args.resolver; this.options = args.options; const callFrame = getCallFrame(new Error()); this.info = { ...args.info, callFrame }; this.used = false; this.events = this.createLifeCycleEvents(); } public dispose() { this.reset(); this.emitter.removeAllListeners(); } public get isUsed() { return this.used; } public capture() { this.capturing = true; return this; } public get isCapturing() { return this.capturing; } public reset() { this.requests = []; this.responses = []; } public getRequests(): ReadonlyArray { const clone = [...this.requests]; return Object.freeze(clone); } public getResponses(): ReadonlyArray { const clone = [...this.responses]; return Object.freeze(clone); } public getRequest(index: number = 0) { return this.requests[index]; } public getResponse(index: number = 0) { return this.responses[index]; } /** * Determine if the intercepted request should be mocked. */ protected abstract predicate(args: { request: StrictRequest; resolutionContext?: ResponseResolutionContext; }): boolean; /** * Print out the successfully handled request. */ protected abstract log(args: RequestHandlerExecutionResult): void; /** * Parse the intercepted request to extract additional information from it. * Parsed result is then exposed to other methods of this request handler. */ protected abstract parseRequest(args: { request: Request; resolutionContext?: ResponseResolutionContext; }): Promise; /** * Parse the generated response to extract serializable information from it. * Parsed result is then exposed to other methods of this request handler. */ protected abstract parseResponse(args: { response: Response; resolutionContext?: ResponseResolutionContext; }): Promise; /** * Test if this handler matches the given request. * * This method is not used internally but is exposed * as a convenience method for consumers writing custom * handlers. */ public test(args: { request: StrictRequest; resolutionContext?: ResponseResolutionContext; }): boolean { return this.predicate({ request: args.request, resolutionContext: args.resolutionContext }); } protected abstract extendResolverArgs(_args: { parsedRequest: ParsedRequest; resolutionContext?: ResponseResolutionContext; }): ResolverExtras; /** * Execute this request handler and produce a mocked response * using the given resolver function. */ public async run(args: { request: StrictRequest; resolutionContext?: ResponseResolutionContext; }): Promise | null> { if (this.used && this.options?.once) { return null; } const shouldInterceptRequest = this.predicate({ request: args.request, resolutionContext: args.resolutionContext }); if (!shouldInterceptRequest) { return null; } this.used = true; const cloneForSerialization = args.request.clone(); // We must emit the registration before any async work begins const registration = this.buildRequestRegistration(args.request); this.emitter.emit('request:handled', registration.info); try { const parsedRequest = await this.parseRequest({ request: cloneForSerialization, resolutionContext: args.resolutionContext }); if (this.capturing) { this.requests.push(parsedRequest); } // Create a response extraction wrapper around the resolver // since it can be both an async function and a generator. const internalResolver = this.wrapResolver(this.resolver); const resolverExtras = this.extendResolverArgs({ parsedRequest, resolutionContext: args.resolutionContext }); const { response: mainResponseRef, parsedResponse } = await this.executeResolver( internalResolver, registration.wrappedRequest, resolverExtras ); // Cannot figure out how to make this work... // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error // eslint-disable-next-line @typescript-eslint/no-this-alias const handler: RequestHandler< undefined, undefined, RequestHandlerDefaultInfo, object, object, object, RequestHandlerOptions > = this; // Pass the cloned request to the result so that logging // and other consumers could read its body once more. return { handler, request: registration.wrappedRequest, response: mainResponseRef, parsedRequest, parsedResponse }; } finally { registration.info.status = 'settled'; registration.resolve(); } } private async executeResolver( internalResolver: ResponseResolver, request: StrictRequest, resolverExtras: ResolverExtras, resolutionContext?: ResponseResolutionContext ): Promise<{ response: Response; parsedResponse: ParsedResponse }> { const mockedResponse = (await internalResolver({ ...resolverExtras, request })) as Response; const mainResponseRef = mockedResponse.clone(); const parsedResponse = await this.parseResponse({ response: mockedResponse, resolutionContext }); if (this.capturing) { const index = this.requests.length - 1; this.responses[index] = parsedResponse; } return { response: mainResponseRef, parsedResponse }; } private buildRequestRegistration(request: StrictRequest) { const { promise, resolve } = promiseWithResolvers(); const ac = new AbortController(); const registration: HandledRequestRegistration = { handler: this as unknown as RequestHandler, status: 'pending', abort: () => ac.abort(), promise }; if (request.signal) { request.signal.addEventListener('abort', () => { ac.abort(); }); } const wrappedRequest = new Request(request, { signal: ac.signal }); return { info: registration, wrappedRequest, resolve }; } private wrapResolver( resolver: ResponseResolver ): ResponseResolver { return async (info): Promise> => { const result = this.resolverGenerator || (await resolver(info)); if (isIterable>(result)) { // Immediately mark this handler as unused. // Only when the generator is done, the handler will be // considered used. this.used = false; const { value, done } = result[Symbol.iterator]().next(); const nextResponse = await value; if (done) { this.used = true; } // If the generator is done and there is no next value, // return the previous generator's value. if (!nextResponse && done) { invariant( this.resolverGeneratorResult, 'Failed to returned a previously stored generator response: the value is not a valid Response.' ); // Clone the previously stored response from the generator // so that it could be read again. return this.resolverGeneratorResult.clone() as StrictResponse; } if (!this.resolverGenerator) { // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error this.resolverGenerator = result; } if (nextResponse) { // Also clone the response before storing it // so it could be read again. // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment, @typescript-eslint/no-unsafe-call this.resolverGeneratorResult = nextResponse?.clone(); } // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error return nextResponse; } // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error return result; }; } private createLifeCycleEvents(): LifeCycleEventEmitter { const events = { on: (eventName: keyof LifeCycleEventsMap, listener: Listener>) => { return this.emitter.on(eventName, listener); }, removeListener: (eventName: keyof LifeCycleEventsMap, listener: Listener>) => { return this.emitter.removeListener(eventName, listener); }, removeAllListeners: (eventName: keyof LifeCycleEventsMap) => { return this.emitter.removeAllListeners(eventName); } } as LifeCycleEventEmitter; return events; } } ```
AwaitableServerApi ```typescript import { defaultMaxListeners, setMaxListeners } from 'node:events'; import { SetupServerApi } from 'msw/node'; import { HandledRequestRegistration } from '../core/handlers/RequestHandler'; import { ExpectableHttpHandler } from './ExpectableHttpHandler'; /** * Determines if the given value is shaped like a Node.js exception. * Node.js exceptions have additional information, like * the `code` and `errno` properties. * * In some environments, particularly jsdom/jest these may not * instances of `Error` or its subclasses, despite being similar * to them. */ function isNodeExceptionLike(error: unknown): error is NodeJS.ErrnoException { return !!error && typeof error === 'object' && 'code' in error; } export class AwaitableServerApi extends SetupServerApi { private handledRequests: Array = []; /** * Bump the maximum number of event listeners on the * request's "AbortSignal". This prepares the request * for each request handler cloning it at least once. * Note that cloning a request automatically appends a * new "abort" event listener to the parent request's * "AbortController" so if the parent aborts, all the * clones are automatically aborted. */ protected override onRequest(request: Request): void { try { setMaxListeners(Math.max(defaultMaxListeners, this.currentHandlers.length), request.signal); } catch (error: unknown) { /** * @note Mock environments (JSDOM, ...) are not able to implement an internal * "kIsNodeEventTarget" Symbol that Node.js uses to identify Node.js `EventTarget`s. * `setMaxListeners` throws an error for non-Node.js `EventTarget`s. * At the same time, mock environments are also not able to implement the * internal "events.maxEventTargetListenersWarned" Symbol, which results in * "MaxListenersExceededWarning" not being printed by Node.js for those anyway. * The main reason for using `setMaxListeners` is to suppress these warnings in Node.js, * which won't be printed anyway if `setMaxListeners` fails. */ if (!(isNodeExceptionLike(error) && error.code === 'ERR_INVALID_ARG_TYPE')) { throw error; } } } // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error public listHandlers(): ReadonlyArray { const clone = [...this.currentHandlers]; return Object.freeze(clone) as unknown as ReadonlyArray; } public allActiveRequests(): ReadonlyArray { const list = this.handledRequests.filter(({ status }) => status === 'pending'); return Object.freeze(list); } // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error // eslint-disable-next-line @typescript-eslint/no-explicit-any use(...runtimeHandlers: Array>): void { // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error super.use(...runtimeHandlers); runtimeHandlers.forEach((handler) => { handler.events.on('request:handled', (registration) => this.handledRequests.push(registration)); }); } private abortActiveRequests() { this.handledRequests.filter(({ status }) => status === 'pending').forEach(({ abort }) => abort()); this.handledRequests = []; } public async dispose() { this.abortActiveRequests(); this.resetHandlers(); await super.dispose(); } restoreHandlers(): void { this.abortActiveRequests(); super.restoreHandlers(); } // eslint-disable-next-line @typescript-eslint/ban-ts-comment // @ts-expect-error resetHandlers(...nextHandlers: Array) { this.abortActiveRequests(); this.listHandlers().forEach((handler) => handler.dispose()); this.currentHandlers = []; this.use(...((nextHandlers.length > 0 ? nextHandlers : this.initialHandlers) as Array)); } } ```
JesusTheHun commented 11 months ago

@jd-carroll can you share an example of usage within a test ?

jd-carroll commented 11 months ago

@JesusTheHun Not sure that sharing the test case would provide much insight. But happy to elaborate on any aspect of the implementation / thought process if that would help.

JesusTheHun commented 11 months ago

@jd-carroll I want to see the API / DX

mzedeler commented 9 months ago

:eyes: