chore(Caching): clean up deprecated cache sweeping (#7118)

Co-authored-by: Antonio Román <kyradiscord@gmail.com>
This commit is contained in:
ckohen
2022-01-07 15:48:17 -08:00
committed by GitHub
parent 1f9b9225f2
commit 12ffa069aa
10 changed files with 16 additions and 260 deletions

View File

@@ -1,7 +1,6 @@
'use strict'; 'use strict';
const process = require('node:process'); const process = require('node:process');
const { setInterval } = require('node:timers');
const { Collection } = require('@discordjs/collection'); const { Collection } = require('@discordjs/collection');
const BaseClient = require('./BaseClient'); const BaseClient = require('./BaseClient');
const ActionsManager = require('./actions/ActionsManager'); const ActionsManager = require('./actions/ActionsManager');
@@ -75,20 +74,6 @@ class Client extends BaseClient {
this._validateOptions(); this._validateOptions();
/**
* Functions called when a cache is garbage collected or the Client is destroyed
* @type {Set<Function>}
* @private
*/
this._cleanups = new Set();
/**
* The finalizers used to cleanup items.
* @type {FinalizationRegistry}
* @private
*/
this._finalizers = new FinalizationRegistry(this._finalize.bind(this));
/** /**
* The WebSocket manager of the client * The WebSocket manager of the client
* @type {WebSocketManager} * @type {WebSocketManager}
@@ -182,17 +167,6 @@ class Client extends BaseClient {
* @type {?Date} * @type {?Date}
*/ */
this.readyAt = null; this.readyAt = null;
if (this.options.messageSweepInterval > 0) {
process.emitWarning(
'The message sweeping client options are deprecated, use the global sweepers instead.',
'DeprecationWarning',
);
this.sweepMessageInterval = setInterval(
this.sweepMessages.bind(this),
this.options.messageSweepInterval * 1_000,
).unref();
}
} }
/** /**
@@ -275,11 +249,6 @@ class Client extends BaseClient {
destroy() { destroy() {
super.destroy(); super.destroy();
for (const fn of this._cleanups) fn();
this._cleanups.clear();
if (this.sweepMessageInterval) clearInterval(this.sweepMessageInterval);
this.sweepers.destroy(); this.sweepers.destroy();
this.ws.destroy(); this.ws.destroy();
this.token = null; this.token = null;
@@ -381,50 +350,6 @@ class Client extends BaseClient {
const data = await this.api('sticker-packs').get(); const data = await this.api('sticker-packs').get();
return new Collection(data.sticker_packs.map(p => [p.id, new StickerPack(this, p)])); return new Collection(data.sticker_packs.map(p => [p.id, new StickerPack(this, p)]));
} }
/**
* A last ditch cleanup function for garbage collection.
* @param {Function} options.cleanup The function called to GC
* @param {string} [options.message] The message to send after a successful GC
* @param {string} [options.name] The name of the item being GCed
* @private
*/
_finalize({ cleanup, message, name }) {
try {
cleanup();
this._cleanups.delete(cleanup);
if (message) {
this.emit(Events.DEBUG, message);
}
} catch {
this.emit(Events.DEBUG, `Garbage collection failed on ${name ?? 'an unknown item'}.`);
}
}
/**
* Sweeps all text-based channels' messages and removes the ones older than the max message lifetime.
* If the message has been edited, the time of the edit is used rather than the time of the original message.
* @param {number} [lifetime=this.options.messageCacheLifetime] Messages that are older than this (in seconds)
* will be removed from the caches. The default is based on {@link ClientOptions#messageCacheLifetime}
* @returns {number} Amount of messages that were removed from the caches,
* or -1 if the message cache lifetime is unlimited
* @example
* // Remove all messages older than 1800 seconds from the messages cache
* const amount = client.sweepMessages(1800);
* console.log(`Successfully removed ${amount} messages from the cache.`);
*/
sweepMessages(lifetime = this.options.messageCacheLifetime) {
if (typeof lifetime !== 'number' || isNaN(lifetime)) {
throw new TypeError('INVALID_TYPE', 'lifetime', 'number');
}
if (lifetime <= 0) {
this.emit(Events.DEBUG, "Didn't sweep messages - lifetime is unlimited");
return -1;
}
const messages = this.sweepers.sweepMessages(Sweepers.outdatedMessageSweepFilter(lifetime)());
this.emit(Events.DEBUG, `Swept ${messages} messages older than ${lifetime} seconds`);
return messages;
}
/** /**
* Obtains a guild preview from Discord, available for all guilds the bot is in and all Discoverable guilds. * Obtains a guild preview from Discord, available for all guilds the bot is in and all Discoverable guilds.
@@ -559,12 +484,6 @@ class Client extends BaseClient {
if (typeof options.makeCache !== 'function') { if (typeof options.makeCache !== 'function') {
throw new TypeError('CLIENT_INVALID_OPTION', 'makeCache', 'a function'); throw new TypeError('CLIENT_INVALID_OPTION', 'makeCache', 'a function');
} }
if (typeof options.messageCacheLifetime !== 'number' || isNaN(options.messageCacheLifetime)) {
throw new TypeError('CLIENT_INVALID_OPTION', 'The messageCacheLifetime', 'a number');
}
if (typeof options.messageSweepInterval !== 'number' || isNaN(options.messageSweepInterval)) {
throw new TypeError('CLIENT_INVALID_OPTION', 'messageSweepInterval', 'a number');
}
if (typeof options.sweepers !== 'object' || options.sweepers === null) { if (typeof options.sweepers !== 'object' || options.sweepers === null) {
throw new TypeError('CLIENT_INVALID_OPTION', 'sweepers', 'an object'); throw new TypeError('CLIENT_INVALID_OPTION', 'sweepers', 'an object');
} }

View File

@@ -1,7 +1,6 @@
'use strict'; 'use strict';
const DataManager = require('./DataManager'); const DataManager = require('./DataManager');
const { _cleanupSymbol } = require('../util/Constants');
/** /**
* Manages the API methods of a data model with a mutable cache of instances. * Manages the API methods of a data model with a mutable cache of instances.
@@ -14,19 +13,6 @@ class CachedManager extends DataManager {
Object.defineProperty(this, '_cache', { value: this.client.options.makeCache(this.constructor, this.holds) }); Object.defineProperty(this, '_cache', { value: this.client.options.makeCache(this.constructor, this.holds) });
let cleanup = this._cache[_cleanupSymbol]?.();
if (cleanup) {
cleanup = cleanup.bind(this._cache);
client._cleanups.add(cleanup);
client._finalizers.register(this, {
cleanup,
message:
`Garbage collection completed on ${this.constructor.name}, ` +
`which had a ${this._cache.constructor.name} of ${this.holds.name}.`,
name: this.constructor.name,
});
}
if (iterable) { if (iterable) {
for (const item of iterable) { for (const item of iterable) {
this._add(item); this._add(item);

View File

@@ -16,8 +16,8 @@ class ChannelManager extends CachedManager {
super(client, Channel, iterable); super(client, Channel, iterable);
const defaultCaching = const defaultCaching =
this._cache.constructor.name === 'Collection' || this._cache.constructor.name === 'Collection' ||
((this._cache.maxSize === undefined || this._cache.maxSize === Infinity) && this._cache.maxSize === undefined ||
(this._cache.sweepFilter === undefined || this._cache.sweepFilter.isDefault)); this._cache.maxSize === Infinity;
if (!cacheWarningEmitted && !defaultCaching) { if (!cacheWarningEmitted && !defaultCaching) {
cacheWarningEmitted = true; cacheWarningEmitted = true;
process.emitWarning( process.emitWarning(

View File

@@ -22,8 +22,8 @@ class GuildChannelManager extends CachedManager {
super(guild.client, GuildChannel, iterable); super(guild.client, GuildChannel, iterable);
const defaultCaching = const defaultCaching =
this._cache.constructor.name === 'Collection' || this._cache.constructor.name === 'Collection' ||
((this._cache.maxSize === undefined || this._cache.maxSize === Infinity) && this._cache.maxSize === undefined ||
(this._cache.sweepFilter === undefined || this._cache.sweepFilter.isDefault)); this._cache.maxSize === Infinity;
if (!cacheWarningEmitted && !defaultCaching) { if (!cacheWarningEmitted && !defaultCaching) {
cacheWarningEmitted = true; cacheWarningEmitted = true;
process.emitWarning( process.emitWarning(

View File

@@ -1166,8 +1166,6 @@ exports.GuildScheduledEventStatuses = createEnum([null, 'SCHEDULED', 'ACTIVE', '
exports.GuildScheduledEventEntityTypes = createEnum([null, 'STAGE_INSTANCE', 'VOICE', 'EXTERNAL']); exports.GuildScheduledEventEntityTypes = createEnum([null, 'STAGE_INSTANCE', 'VOICE', 'EXTERNAL']);
/* eslint-enable max-len */ /* eslint-enable max-len */
exports._cleanupSymbol = Symbol('djsCleanup');
function keyMirror(arr) { function keyMirror(arr) {
let tmp = Object.create(null); let tmp = Object.create(null);
for (const value of arr) tmp[value] = value; for (const value of arr) tmp[value] = value;

View File

@@ -1,35 +1,18 @@
'use strict'; 'use strict';
const { setInterval } = require('node:timers');
const { Collection } = require('@discordjs/collection'); const { Collection } = require('@discordjs/collection');
const { _cleanupSymbol } = require('./Constants.js');
const Sweepers = require('./Sweepers.js');
const { TypeError } = require('../errors/DJSError.js'); const { TypeError } = require('../errors/DJSError.js');
/**
* @typedef {Function} SweepFilter
* @param {LimitedCollection} collection The collection being swept
* @returns {Function|null} Return `null` to skip sweeping, otherwise a function passed to `sweep()`,
* See {@link [Collection#sweep](https://discord.js.org/#/docs/collection/main/class/Collection?scrollTo=sweep)}
* for the definition of this function.
*/
/** /**
* Options for defining the behavior of a LimitedCollection * Options for defining the behavior of a LimitedCollection
* @typedef {Object} LimitedCollectionOptions * @typedef {Object} LimitedCollectionOptions
* @property {?number} [maxSize=Infinity] The maximum size of the Collection * @property {?number} [maxSize=Infinity] The maximum size of the Collection
* @property {?Function} [keepOverLimit=null] A function, which is passed the value and key of an entry, ran to decide * @property {?Function} [keepOverLimit=null] A function, which is passed the value and key of an entry, ran to decide
* to keep an entry past the maximum size * to keep an entry past the maximum size
* @property {?SweepFilter} [sweepFilter=null] DEPRECATED: There is no direct alternative to this,
* however most of its purpose is fulfilled by {@link Client#sweepers}
* A function ran every `sweepInterval` to determine how to sweep
* @property {?number} [sweepInterval=0] DEPRECATED: There is no direct alternative to this,
* however most of its purpose is fulfilled by {@link Client#sweepers}
* How frequently, in seconds, to sweep the collection.
*/ */
/** /**
* A Collection which holds a max amount of entries and sweeps periodically. * A Collection which holds a max amount of entries.
* @extends {Collection} * @extends {Collection}
* @param {LimitedCollectionOptions} [options={}] Options for constructing the Collection. * @param {LimitedCollectionOptions} [options={}] Options for constructing the Collection.
* @param {Iterable} [iterable=null] Optional entries passed to the Map constructor. * @param {Iterable} [iterable=null] Optional entries passed to the Map constructor.
@@ -39,7 +22,7 @@ class LimitedCollection extends Collection {
if (typeof options !== 'object' || options === null) { if (typeof options !== 'object' || options === null) {
throw new TypeError('INVALID_TYPE', 'options', 'object', true); throw new TypeError('INVALID_TYPE', 'options', 'object', true);
} }
const { maxSize = Infinity, keepOverLimit = null, sweepInterval = 0, sweepFilter = null } = options; const { maxSize = Infinity, keepOverLimit = null } = options;
if (typeof maxSize !== 'number') { if (typeof maxSize !== 'number') {
throw new TypeError('INVALID_TYPE', 'maxSize', 'number'); throw new TypeError('INVALID_TYPE', 'maxSize', 'number');
@@ -47,12 +30,6 @@ class LimitedCollection extends Collection {
if (keepOverLimit !== null && typeof keepOverLimit !== 'function') { if (keepOverLimit !== null && typeof keepOverLimit !== 'function') {
throw new TypeError('INVALID_TYPE', 'keepOverLimit', 'function'); throw new TypeError('INVALID_TYPE', 'keepOverLimit', 'function');
} }
if (typeof sweepInterval !== 'number') {
throw new TypeError('INVALID_TYPE', 'sweepInterval', 'number');
}
if (sweepFilter !== null && typeof sweepFilter !== 'function') {
throw new TypeError('INVALID_TYPE', 'sweepFilter', 'function');
}
super(iterable); super(iterable);
@@ -67,28 +44,6 @@ class LimitedCollection extends Collection {
* @type {?Function} * @type {?Function}
*/ */
this.keepOverLimit = keepOverLimit; this.keepOverLimit = keepOverLimit;
/**
* A function called every sweep interval that returns a function passed to `sweep`.
* @deprecated in favor of {@link Client#sweepers}
* @type {?SweepFilter}
*/
this.sweepFilter = sweepFilter;
/**
* The id of the interval being used to sweep.
* @deprecated in favor of {@link Client#sweepers}
* @type {?Timeout}
*/
this.interval =
sweepInterval > 0 && sweepInterval !== Infinity && sweepFilter
? setInterval(() => {
const sweepFn = this.sweepFilter(this);
if (sweepFn === null) return;
if (typeof sweepFn !== 'function') throw new TypeError('SWEEP_FILTER_RETURN');
this.sweep(sweepFn);
}, sweepInterval * 1_000).unref()
: null;
} }
set(key, value) { set(key, value) {
@@ -105,24 +60,6 @@ class LimitedCollection extends Collection {
return super.set(key, value); return super.set(key, value);
} }
/**
* Create a sweepFilter function that uses a lifetime to determine sweepability.
* @param {LifetimeFilterOptions} [options={}] The options used to generate the filter function
* @deprecated Use {@link Sweepers.filterByLifetime} instead
* @returns {SweepFilter}
*/
static filterByLifetime({
lifetime = 14400,
getComparisonTimestamp = e => e?.createdTimestamp,
excludeFromSweep = () => false,
} = {}) {
return Sweepers.filterByLifetime({ lifetime, getComparisonTimestamp, excludeFromSweep });
}
[_cleanupSymbol]() {
return this.interval ? () => clearInterval(this.interval) : null;
}
static get [Symbol.species]() { static get [Symbol.species]() {
return Collection; return Collection;
} }

View File

@@ -39,11 +39,6 @@ const process = require('node:process');
* You can use your own function, or the {@link Options} class to customize the Collection used for the cache. * You can use your own function, or the {@link Options} class to customize the Collection used for the cache.
* <warn>Overriding the cache used in `GuildManager`, `ChannelManager`, `GuildChannelManager`, `RoleManager`, * <warn>Overriding the cache used in `GuildManager`, `ChannelManager`, `GuildChannelManager`, `RoleManager`,
* and `PermissionOverwriteManager` is unsupported and **will** break functionality</warn> * and `PermissionOverwriteManager` is unsupported and **will** break functionality</warn>
* @property {number} [messageCacheLifetime=0] DEPRECATED: Pass `lifetime` to `sweepers.messages` instead.
* How long a message should stay in the cache until it is considered sweepable (in seconds, 0 for forever)
* @property {number} [messageSweepInterval=0] DEPRECATED: Pass `interval` to `sweepers.messages` instead.
* How frequently to remove messages from the cache that are older than the message cache lifetime
* (in seconds, 0 for never)
* @property {MessageMentionOptions} [allowedMentions] Default value for {@link MessageOptions#allowedMentions} * @property {MessageMentionOptions} [allowedMentions] Default value for {@link MessageOptions#allowedMentions}
* @property {number} [invalidRequestWarningInterval=0] The number of invalid REST requests (those that return * @property {number} [invalidRequestWarningInterval=0] The number of invalid REST requests (those that return
* 401, 403, or 429) in a 10 minute window between emitted warnings (0 for no warnings). That is, if set to 500, * 401, 403, or 429) in a 10 minute window between emitted warnings (0 for no warnings). That is, if set to 500,
@@ -133,8 +128,6 @@ class Options extends null {
waitGuildTimeout: 15_000, waitGuildTimeout: 15_000,
shardCount: 1, shardCount: 1,
makeCache: this.cacheWithLimits(this.defaultMakeCacheSettings), makeCache: this.cacheWithLimits(this.defaultMakeCacheSettings),
messageCacheLifetime: 0,
messageSweepInterval: 0,
invalidRequestWarningInterval: 0, invalidRequestWarningInterval: 0,
partials: [], partials: [],
restRequestTimeout: 15_000, restRequestTimeout: 15_000,
@@ -145,7 +138,7 @@ class Options extends null {
failIfNotExists: true, failIfNotExists: true,
userAgentSuffix: [], userAgentSuffix: [],
presence: {}, presence: {},
sweepers: {}, sweepers: this.defaultSweeperSettings,
ws: { ws: {
large_threshold: 50, large_threshold: 50,
compress: false, compress: false,
@@ -176,32 +169,14 @@ class Options extends null {
* If LimitedCollectionOptions are provided for a manager, it uses those settings to form a LimitedCollection. * If LimitedCollectionOptions are provided for a manager, it uses those settings to form a LimitedCollection.
* @returns {CacheFactory} * @returns {CacheFactory}
* @example * @example
* // Store up to 200 messages per channel and discard archived threads if they were archived more than 4 hours ago. * // Store up to 200 messages per channel and 200 members per guild, always keeping the client member.
* // Note archived threads will remain in the guild and client caches with these settings
* Options.cacheWithLimits({ * Options.cacheWithLimits({
* MessageManager: 200, * MessageManager: 200,
* ThreadManager: { * GuildMemberManager: {
* sweepInterval: 3600, * maxSize: 200,
* sweepFilter: LimitedCollection.filterByLifetime({ * keepOverLimit: (member) => member.id === client.user.id,
* getComparisonTimestamp: e => e.archiveTimestamp,
* excludeFromSweep: e => !e.archived,
* }),
* }, * },
* }); * });
* @example
* // Sweep messages every 5 minutes, removing messages that have not been edited or created in the last 30 minutes
* Options.cacheWithLimits({
* // Keep default thread sweeping behavior
* ...Options.defaultMakeCacheSettings,
* // Override MessageManager
* MessageManager: {
* sweepInterval: 300,
* sweepFilter: LimitedCollection.filterByLifetime({
* lifetime: 1800,
* getComparisonTimestamp: e => e.editedTimestamp ?? e.createdTimestamp,
* })
* }
* });
*/ */
static cacheWithLimits(settings = {}) { static cacheWithLimits(settings = {}) {
const { Collection } = require('@discordjs/collection'); const { Collection } = require('@discordjs/collection');
@@ -219,15 +194,9 @@ class Options extends null {
} }
return new LimitedCollection({ maxSize: setting }); return new LimitedCollection({ maxSize: setting });
} }
/* eslint-disable eqeqeq */ /* eslint-disable-next-line eqeqeq */
const noSweeping =
setting.sweepFilter == null ||
setting.sweepInterval == null ||
setting.sweepInterval <= 0 ||
setting.sweepInterval === Infinity;
const noLimit = setting.maxSize == null || setting.maxSize === Infinity; const noLimit = setting.maxSize == null || setting.maxSize === Infinity;
/* eslint-enable eqeqeq */ if (noLimit) {
if (noSweeping && noLimit) {
return new Collection(); return new Collection();
} }
return new LimitedCollection(setting); return new LimitedCollection(setting);
@@ -257,18 +226,6 @@ class Options extends null {
static get defaultMakeCacheSettings() { static get defaultMakeCacheSettings() {
return { return {
MessageManager: 200, MessageManager: 200,
ChannelManager: {
sweepInterval: 3600,
sweepFilter: require('./Util').archivedThreadSweepFilter(),
},
GuildChannelManager: {
sweepInterval: 3600,
sweepFilter: require('./Util').archivedThreadSweepFilter(),
},
ThreadManager: {
sweepInterval: 3600,
sweepFilter: require('./Util').archivedThreadSweepFilter(),
},
}; };
} }
} }

View File

@@ -561,18 +561,6 @@ class Util extends null {
static cleanCodeBlockContent(text) { static cleanCodeBlockContent(text) {
return text.replaceAll('```', '`\u200b``'); return text.replaceAll('```', '`\u200b``');
} }
/**
* Creates a sweep filter that sweeps archived threads
* @param {number} [lifetime=14400] How long a thread has to be archived to be valid for sweeping
* @deprecated When not using with `makeCache` use `Sweepers.archivedThreadSweepFilter` instead
* @returns {SweepFilter}
*/
static archivedThreadSweepFilter(lifetime = 14400) {
const filter = require('./Sweepers').archivedThreadSweepFilter(lifetime);
filter.isDefault = true;
return filter;
}
} }
module.exports = Util; module.exports = Util;

View File

@@ -567,8 +567,6 @@ export class Client<Ready extends boolean = boolean> extends BaseClient {
public generateInvite(options?: InviteGenerationOptions): string; public generateInvite(options?: InviteGenerationOptions): string;
public login(token?: string): Promise<string>; public login(token?: string): Promise<string>;
public isReady(): this is Client<true>; public isReady(): this is Client<true>;
/** @deprecated Use {@link Sweepers#sweepMessages} instead */
public sweepMessages(lifetime?: number): number;
public toJSON(): unknown; public toJSON(): unknown;
public on<K extends keyof ClientEvents>(event: K, listener: (...args: ClientEvents[K]) => Awaitable<void>): this; public on<K extends keyof ClientEvents>(event: K, listener: (...args: ClientEvents[K]) => Awaitable<void>): this;
@@ -1428,13 +1426,6 @@ export class LimitedCollection<K, V> extends Collection<K, V> {
public constructor(options?: LimitedCollectionOptions<K, V>, iterable?: Iterable<readonly [K, V]>); public constructor(options?: LimitedCollectionOptions<K, V>, iterable?: Iterable<readonly [K, V]>);
public maxSize: number; public maxSize: number;
public keepOverLimit: ((value: V, key: K, collection: this) => boolean) | null; public keepOverLimit: ((value: V, key: K, collection: this) => boolean) | null;
/** @deprecated Use Global Sweepers instead */
public interval: NodeJS.Timeout | null;
/** @deprecated Use Global Sweepers instead */
public sweepFilter: SweepFilter<K, V> | null;
/** @deprecated Use `Sweepers.filterByLifetime` instead */
public static filterByLifetime<K, V>(options?: LifetimeFilterOptions<K, V>): SweepFilter<K, V>;
} }
export type MessageCollectorOptionsParams<T extends MessageComponentTypeResolvable, Cached extends boolean = boolean> = export type MessageCollectorOptionsParams<T extends MessageComponentTypeResolvable, Cached extends boolean = boolean> =
@@ -2417,8 +2408,6 @@ export class UserFlags extends BitField<UserFlagsString> {
export class Util extends null { export class Util extends null {
private constructor(); private constructor();
/** @deprecated When not using with `makeCache` use `Sweepers.archivedThreadSweepFilter` instead */
public static archivedThreadSweepFilter<K, V>(lifetime?: number): SweepFilter<K, V>;
public static basename(path: string, ext?: string): string; public static basename(path: string, ext?: string): string;
public static cleanContent(str: string, channel: TextBasedChannel): string; public static cleanContent(str: string, channel: TextBasedChannel): string;
public static cloneObject(obj: unknown): unknown; public static cloneObject(obj: unknown): unknown;
@@ -3986,10 +3975,6 @@ export interface ClientOptions {
shards?: number | number[] | 'auto'; shards?: number | number[] | 'auto';
shardCount?: number; shardCount?: number;
makeCache?: CacheFactory; makeCache?: CacheFactory;
/** @deprecated Pass the value of this property as `lifetime` to `sweepers.messages` instead. */
messageCacheLifetime?: number;
/** @deprecated Pass the value of this property as `interval` to `sweepers.messages` instead. */
messageSweepInterval?: number;
allowedMentions?: MessageMentionOptions; allowedMentions?: MessageMentionOptions;
invalidRequestWarningInterval?: number; invalidRequestWarningInterval?: number;
partials?: PartialTypes[]; partials?: PartialTypes[];
@@ -5502,10 +5487,6 @@ export type SweeperKey = keyof SweeperDefinitions;
export type CollectionSweepFilter<K, V> = (value: V, key: K, collection: Collection<K, V>) => boolean; export type CollectionSweepFilter<K, V> = (value: V, key: K, collection: Collection<K, V>) => boolean;
export type SweepFilter<K, V> = (
collection: LimitedCollection<K, V>,
) => ((value: V, key: K, collection: LimitedCollection<K, V>) => boolean) | null;
export interface SweepOptions<K, V> { export interface SweepOptions<K, V> {
interval: number; interval: number;
filter: GlobalSweepFilter<K, V>; filter: GlobalSweepFilter<K, V>;
@@ -5543,10 +5524,6 @@ export type SweeperOptions = {
export interface LimitedCollectionOptions<K, V> { export interface LimitedCollectionOptions<K, V> {
maxSize?: number; maxSize?: number;
keepOverLimit?: (value: V, key: K, collection: LimitedCollection<K, V>) => boolean; keepOverLimit?: (value: V, key: K, collection: LimitedCollection<K, V>) => boolean;
/** @deprecated Use Global Sweepers instead */
sweepFilter?: SweepFilter<K, V>;
/** @deprecated Use Global Sweepers instead */
sweepInterval?: number;
} }
export type AnyChannel = export type AnyChannel =

View File

@@ -45,7 +45,6 @@ import {
Intents, Intents,
Interaction, Interaction,
InteractionCollector, InteractionCollector,
LimitedCollection,
Message, Message,
MessageActionRow, MessageActionRow,
MessageAttachment, MessageAttachment,
@@ -107,14 +106,9 @@ const client: Client = new Client({
MessageManager: 200, MessageManager: 200,
// @ts-expect-error // @ts-expect-error
Message: 100, Message: 100,
ThreadManager: { GuildMemberManager: {
maxSize: 1000, maxSize: 200,
keepOverLimit: (x: ThreadChannel) => x.id === '123', keepOverLimit: member => member.id === client.user?.id,
sweepInterval: 5000,
sweepFilter: LimitedCollection.filterByLifetime({
getComparisonTimestamp: (x: ThreadChannel) => x.archiveTimestamp ?? 0,
excludeFromSweep: (x: ThreadChannel) => !x.archived,
}),
}, },
}), }),
}); });