-
-
Notifications
You must be signed in to change notification settings - Fork 4k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
fix(handlers): create burst handler for interaction callbacks (#8996)
* fix(handlers): create burst handler for interaction callbacks * docs: use remarks instead of info block Co-Authored-By: Almeida <[email protected]> * refactor: move code duplication to shared handler Co-authored-by: Jiralite <[email protected]> * Update packages/rest/src/lib/handlers/BurstHandler.ts --------- Co-authored-by: Almeida <[email protected]> Co-authored-by: Jiralite <[email protected]> Co-authored-by: Vlad Frangu <[email protected]> Co-authored-by: Aura Román <[email protected]>
- Loading branch information
1 parent
984bd55
commit db8df10
Showing
9 changed files
with
511 additions
and
124 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,139 @@ | ||
/* eslint-disable id-length */ | ||
/* eslint-disable promise/prefer-await-to-then */ | ||
import { performance } from 'node:perf_hooks'; | ||
import { MockAgent, setGlobalDispatcher } from 'undici'; | ||
import type { Interceptable, MockInterceptor } from 'undici/types/mock-interceptor'; | ||
import { beforeEach, afterEach, test, expect, vitest } from 'vitest'; | ||
import { DiscordAPIError, HTTPError, RateLimitError, REST, BurstHandlerMajorIdKey } from '../src/index.js'; | ||
import { BurstHandler } from '../src/lib/handlers/BurstHandler.js'; | ||
import { genPath } from './util.js'; | ||
|
||
const callbackKey = `Global(POST:/interactions/:id/:token/callback):${BurstHandlerMajorIdKey}`; | ||
const callbackPath = new RegExp(genPath('/interactions/[0-9]{17,19}/.+/callback')); | ||
|
||
const api = new REST(); | ||
|
||
let mockAgent: MockAgent; | ||
let mockPool: Interceptable; | ||
|
||
beforeEach(() => { | ||
mockAgent = new MockAgent(); | ||
mockAgent.disableNetConnect(); | ||
setGlobalDispatcher(mockAgent); | ||
|
||
mockPool = mockAgent.get('https://discord.com'); | ||
api.setAgent(mockAgent); | ||
}); | ||
|
||
afterEach(async () => { | ||
await mockAgent.close(); | ||
}); | ||
|
||
// @discordjs/rest uses the `content-type` header to detect whether to parse | ||
// the response as JSON or as an ArrayBuffer. | ||
const responseOptions: MockInterceptor.MockResponseOptions = { | ||
headers: { | ||
'content-type': 'application/json', | ||
}, | ||
}; | ||
|
||
test('Interaction callback creates burst handler', async () => { | ||
mockPool.intercept({ path: callbackPath, method: 'POST' }).reply(200); | ||
|
||
expect(api.requestManager.handlers.get(callbackKey)).toBe(undefined); | ||
expect( | ||
await api.post('/interactions/1234567890123456789/totallyarealtoken/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Reply' } }, | ||
}), | ||
).toBeInstanceOf(Uint8Array); | ||
expect(api.requestManager.handlers.get(callbackKey)).toBeInstanceOf(BurstHandler); | ||
}); | ||
|
||
test('Requests are handled in bursts', async () => { | ||
mockPool.intercept({ path: callbackPath, method: 'POST' }).reply(200).delay(100).times(3); | ||
|
||
// Return the current time on these results as their response does not indicate anything | ||
const [a, b, c] = await Promise.all([ | ||
api | ||
.post('/interactions/1234567890123456789/totallyarealtoken/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Reply1' } }, | ||
}) | ||
.then(() => performance.now()), | ||
api | ||
.post('/interactions/2345678901234567890/anotherveryrealtoken/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Reply2' } }, | ||
}) | ||
.then(() => performance.now()), | ||
api | ||
.post('/interactions/3456789012345678901/nowaytheresanotherone/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Reply3' } }, | ||
}) | ||
.then(() => performance.now()), | ||
]); | ||
|
||
expect(b - a).toBeLessThan(10); | ||
expect(c - a).toBeLessThan(10); | ||
}); | ||
|
||
test('Handle 404', async () => { | ||
mockPool | ||
.intercept({ path: callbackPath, method: 'POST' }) | ||
.reply(404, { message: 'Unknown interaction', code: 10_062 }, responseOptions); | ||
|
||
const promise = api.post('/interactions/1234567890123456788/definitelynotarealinteraction/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Malicious' } }, | ||
}); | ||
await expect(promise).rejects.toThrowError('Unknown interaction'); | ||
await expect(promise).rejects.toBeInstanceOf(DiscordAPIError); | ||
}); | ||
|
||
let unexpected429 = true; | ||
test('Handle unexpected 429', async () => { | ||
mockPool | ||
.intercept({ | ||
path: callbackPath, | ||
method: 'POST', | ||
}) | ||
.reply(() => { | ||
if (unexpected429) { | ||
unexpected429 = false; | ||
return { | ||
statusCode: 429, | ||
data: '', | ||
responseOptions: { | ||
headers: { | ||
'retry-after': '1', | ||
via: '1.1 google', | ||
}, | ||
}, | ||
}; | ||
} | ||
|
||
return { | ||
statusCode: 200, | ||
data: { test: true }, | ||
responseOptions, | ||
}; | ||
}) | ||
.times(2); | ||
|
||
const previous = performance.now(); | ||
let firstResolvedTime: number; | ||
const unexpectedLimit = api | ||
.post('/interactions/1234567890123456789/totallyarealtoken/callback', { | ||
auth: false, | ||
body: { type: 4, data: { content: 'Reply' } }, | ||
}) | ||
.then((res) => { | ||
firstResolvedTime = performance.now(); | ||
return res; | ||
}); | ||
|
||
expect(await unexpectedLimit).toStrictEqual({ test: true }); | ||
expect(performance.now()).toBeGreaterThanOrEqual(previous + 1_000); | ||
}); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,146 @@ | ||
import { setTimeout as sleep } from 'node:timers/promises'; | ||
import type { Dispatcher } from 'undici'; | ||
import type { RequestOptions } from '../REST.js'; | ||
import type { HandlerRequestData, RequestManager, RouteData } from '../RequestManager.js'; | ||
import { RESTEvents } from '../utils/constants.js'; | ||
import { onRateLimit, parseHeader } from '../utils/utils.js'; | ||
import type { IHandler } from './IHandler.js'; | ||
import { handleErrors, incrementInvalidCount, makeNetworkRequest } from './Shared.js'; | ||
|
||
/** | ||
* The structure used to handle burst requests for a given bucket. | ||
* Burst requests have no ratelimit handling but allow for pre- and post-processing | ||
* of data in the same manner as sequentially queued requests. | ||
* | ||
* @remarks | ||
* This queue may still emit a rate limit error if an unexpected 429 is hit | ||
*/ | ||
export class BurstHandler implements IHandler { | ||
/** | ||
* {@inheritdoc IHandler.id} | ||
*/ | ||
public readonly id: string; | ||
|
||
/** | ||
* {@inheritDoc IHandler.inactive} | ||
*/ | ||
public inactive = false; | ||
|
||
/** | ||
* @param manager - The request manager | ||
* @param hash - The hash that this RequestHandler handles | ||
* @param majorParameter - The major parameter for this handler | ||
*/ | ||
public constructor( | ||
private readonly manager: RequestManager, | ||
private readonly hash: string, | ||
private readonly majorParameter: string, | ||
) { | ||
this.id = `${hash}:${majorParameter}`; | ||
} | ||
|
||
/** | ||
* Emits a debug message | ||
* | ||
* @param message - The message to debug | ||
*/ | ||
private debug(message: string) { | ||
this.manager.emit(RESTEvents.Debug, `[REST ${this.id}] ${message}`); | ||
} | ||
|
||
/** | ||
* {@inheritDoc IHandler.queueRequest} | ||
*/ | ||
public async queueRequest( | ||
routeId: RouteData, | ||
url: string, | ||
options: RequestOptions, | ||
requestData: HandlerRequestData, | ||
): Promise<Dispatcher.ResponseData> { | ||
return this.runRequest(routeId, url, options, requestData); | ||
} | ||
|
||
/** | ||
* The method that actually makes the request to the API, and updates info about the bucket accordingly | ||
* | ||
* @param routeId - The generalized API route with literal ids for major parameters | ||
* @param url - The fully resolved URL to make the request to | ||
* @param options - The fetch options needed to make the request | ||
* @param requestData - Extra data from the user's request needed for errors and additional processing | ||
* @param retries - The number of retries this request has already attempted (recursion) | ||
*/ | ||
private async runRequest( | ||
routeId: RouteData, | ||
url: string, | ||
options: RequestOptions, | ||
requestData: HandlerRequestData, | ||
retries = 0, | ||
): Promise<Dispatcher.ResponseData> { | ||
const method = options.method ?? 'get'; | ||
|
||
const res = await makeNetworkRequest(this.manager, routeId, url, options, requestData, retries); | ||
|
||
// Retry requested | ||
if (res === null) { | ||
// eslint-disable-next-line no-param-reassign | ||
return this.runRequest(routeId, url, options, requestData, ++retries); | ||
} | ||
|
||
const status = res.statusCode; | ||
let retryAfter = 0; | ||
const retry = parseHeader(res.headers['retry-after']); | ||
|
||
// Amount of time in milliseconds until we should retry if rate limited (globally or otherwise) | ||
if (retry) retryAfter = Number(retry) * 1_000 + this.manager.options.offset; | ||
|
||
// Count the invalid requests | ||
if (status === 401 || status === 403 || status === 429) { | ||
incrementInvalidCount(this.manager); | ||
} | ||
|
||
if (status >= 200 && status < 300) { | ||
return res; | ||
} else if (status === 429) { | ||
// Unexpected ratelimit | ||
const isGlobal = res.headers['x-ratelimit-global'] !== undefined; | ||
await onRateLimit(this.manager, { | ||
timeToReset: retryAfter, | ||
limit: Number.POSITIVE_INFINITY, | ||
method, | ||
hash: this.hash, | ||
url, | ||
route: routeId.bucketRoute, | ||
majorParameter: this.majorParameter, | ||
global: isGlobal, | ||
}); | ||
this.debug( | ||
[ | ||
'Encountered unexpected 429 rate limit', | ||
` Global : ${isGlobal}`, | ||
` Method : ${method}`, | ||
` URL : ${url}`, | ||
` Bucket : ${routeId.bucketRoute}`, | ||
` Major parameter: ${routeId.majorParameter}`, | ||
` Hash : ${this.hash}`, | ||
` Limit : ${Number.POSITIVE_INFINITY}`, | ||
` Retry After : ${retryAfter}ms`, | ||
` Sublimit : None`, | ||
].join('\n'), | ||
); | ||
|
||
// We are bypassing all other limits, but an encountered limit should be respected (it's probably a non-punished rate limit anyways) | ||
await sleep(retryAfter); | ||
|
||
// Since this is not a server side issue, the next request should pass, so we don't bump the retries counter | ||
return this.runRequest(routeId, url, options, requestData, retries); | ||
} else { | ||
const handled = await handleErrors(this.manager, res, method, url, requestData, retries); | ||
if (handled === null) { | ||
// eslint-disable-next-line no-param-reassign | ||
return this.runRequest(routeId, url, options, requestData, ++retries); | ||
} | ||
|
||
return handled; | ||
} | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.