Merge branch 'master' into indev-prism

This commit is contained in:
Schuyler Cebulskie
2017-02-06 01:54:31 -05:00
17 changed files with 167 additions and 120 deletions

View File

@@ -35,13 +35,13 @@
"@types/node": "^7.0.0", "@types/node": "^7.0.0",
"long": "^3.2.0", "long": "^3.2.0",
"pako": "^1.0.0", "pako": "^1.0.0",
"prism-media": "hydrabolt/prism-media#master", "prism-media": "hydrabolt/prism-media",
"superagent": "^3.3.0", "superagent": "^3.4.0",
"tweetnacl": "^0.14.0", "tweetnacl": "^0.14.0",
"ws": "^2.0.0" "ws": "^2.0.0"
}, },
"peerDependencies": { "peerDependencies": {
"bufferutil": "^1.3.0", "bufferutil": "^2.0.0",
"erlpack": "hammerandchisel/erlpack", "erlpack": "hammerandchisel/erlpack",
"node-opus": "^0.2.0", "node-opus": "^0.2.0",
"opusscript": "^0.0.2", "opusscript": "^0.0.2",
@@ -65,7 +65,7 @@
"prism-media": false, "prism-media": false,
"opusscript": false, "opusscript": false,
"node-opus": false, "node-opus": false,
"tweet-nacl": false, "tweetnacl": false,
"sodium": false, "sodium": false,
"src/sharding/Shard.js": false, "src/sharding/Shard.js": false,
"src/sharding/ShardClientUtil.js": false, "src/sharding/ShardClientUtil.js": false,

View File

@@ -15,7 +15,7 @@ const ShardClientUtil = require('../sharding/ShardClientUtil');
const VoiceBroadcast = require('./voice/VoiceBroadcast'); const VoiceBroadcast = require('./voice/VoiceBroadcast');
/** /**
* The starting point for making a Discord Bot. * The main hub for interacting with the Discord API, and the starting point for any bot.
* @extends {EventEmitter} * @extends {EventEmitter}
*/ */
class Client extends EventEmitter { class Client extends EventEmitter {
@@ -86,39 +86,43 @@ class Client extends EventEmitter {
this.voice = !this.browser ? new ClientVoiceManager(this) : null; this.voice = !this.browser ? new ClientVoiceManager(this) : null;
/** /**
* The shard helpers for the client (only if the process was spawned as a child, such as from a ShardingManager) * The shard helpers for the client
* (only if the process was spawned as a child, such as from a {@link ShardingManager})
* @type {?ShardClientUtil} * @type {?ShardClientUtil}
*/ */
this.shard = process.send ? ShardClientUtil.singleton(this) : null; this.shard = process.send ? ShardClientUtil.singleton(this) : null;
/** /**
* A collection of the Client's stored users * All of the {@link User} objects that have been cached at any point, mapped by their IDs
* @type {Collection<string, User>} * @type {Collection<Snowflake, User>}
*/ */
this.users = new Collection(); this.users = new Collection();
/** /**
* A collection of the Client's stored guilds * All of the guilds the client is currently handling, mapped by their IDs -
* @type {Collection<string, Guild>} * as long as sharding isn't being used, this will be *every* guild the bot is a member of
* @type {Collection<Snowflake, Guild>}
*/ */
this.guilds = new Collection(); this.guilds = new Collection();
/** /**
* A collection of the Client's stored channels * All of the {@link Channel}s that the client is currently handling, mapped by their IDs -
* @type {Collection<string, Channel>} * as long as sharding isn't being used, this will be *every* channel in *every* guild, and all DM channels
* @type {Collection<Snowflake, Channel>}
*/ */
this.channels = new Collection(); this.channels = new Collection();
/** /**
* A collection of presences for friends of the logged in user. * Presences that have been received for the client user's friends, mapped by user IDs
* <warn>This is only filled when using a user account.</warn> * <warn>This is only filled when using a user account.</warn>
* @type {Collection<string, Presence>} * @type {Collection<Snowflake, Presence>}
*/ */
this.presences = new Collection(); this.presences = new Collection();
if (!this.token && 'CLIENT_TOKEN' in process.env) { if (!this.token && 'CLIENT_TOKEN' in process.env) {
/** /**
* The authorization token for the logged in user/bot. * Authorization token for the logged in user/bot
* <warn>This should be kept private at all times.</warn>
* @type {?string} * @type {?string}
*/ */
this.token = process.env.CLIENT_TOKEN; this.token = process.env.CLIENT_TOKEN;
@@ -127,25 +131,26 @@ class Client extends EventEmitter {
} }
/** /**
* The ClientUser representing the logged in Client * User that the client is logged in as
* @type {?ClientUser} * @type {?ClientUser}
*/ */
this.user = null; this.user = null;
/** /**
* The date at which the Client was regarded as being in the `READY` state. * Time at which the client was last regarded as being in the `READY` state
* (each time the client disconnects and successfully reconnects, this will be overwritten)
* @type {?Date} * @type {?Date}
*/ */
this.readyAt = null; this.readyAt = null;
/** /**
* An array of voice broadcasts * Active voice broadcasts that have been created
* @type {VoiceBroadcast[]} * @type {VoiceBroadcast[]}
*/ */
this.broadcasts = []; this.broadcasts = [];
/** /**
* The previous heartbeat pings of the websocket (most recent first, limited to three elements) * Previous heartbeat pings of the websocket (most recent first, limited to three elements)
* @type {number[]} * @type {number[]}
*/ */
this.pings = []; this.pings = [];
@@ -160,7 +165,7 @@ class Client extends EventEmitter {
} }
/** /**
* The status for the logged in Client. * Current status of the client's connection to Discord
* @type {?number} * @type {?number}
* @readonly * @readonly
*/ */
@@ -169,7 +174,7 @@ class Client extends EventEmitter {
} }
/** /**
* The uptime for the logged in Client. * How long it has been since the client last entered the `READY` state
* @type {?number} * @type {?number}
* @readonly * @readonly
*/ */
@@ -178,7 +183,7 @@ class Client extends EventEmitter {
} }
/** /**
* The average heartbeat ping of the websocket * Average heartbeat ping of the websocket, obtained by averaging the {@link Client#pings} property
* @type {number} * @type {number}
* @readonly * @readonly
*/ */
@@ -187,7 +192,7 @@ class Client extends EventEmitter {
} }
/** /**
* Returns a collection, mapping guild ID to voice connections. * All active voice connections that have been established, mapped by channel ID
* @type {Collection<string, VoiceConnection>} * @type {Collection<string, VoiceConnection>}
* @readonly * @readonly
*/ */
@@ -197,8 +202,8 @@ class Client extends EventEmitter {
} }
/** /**
* The emojis that the client can use. Mapped by emoji ID. * All custom emojis that the client has access to, mapped by their IDs
* @type {Collection<string, Emoji>} * @type {Collection<Snowflake, Emoji>}
* @readonly * @readonly
*/ */
get emojis() { get emojis() {
@@ -210,7 +215,7 @@ class Client extends EventEmitter {
} }
/** /**
* The timestamp that the client was last ready at * Timestamp of the time the client was last `READY` at
* @type {?number} * @type {?number}
* @readonly * @readonly
*/ */
@@ -228,8 +233,8 @@ class Client extends EventEmitter {
} }
/** /**
* Creates a new voice broadcast * Creates a voice broadcast.
* @returns {VoiceBroadcast} the created broadcast * @returns {VoiceBroadcast}
*/ */
createVoiceBroadcast() { createVoiceBroadcast() {
const broadcast = new VoiceBroadcast(this); const broadcast = new VoiceBroadcast(this);
@@ -238,28 +243,22 @@ class Client extends EventEmitter {
} }
/** /**
* Logs the client in. If successful, resolves with the account's token. <warn>If you're making a bot, it's * Logs the client in, establishing a websocket connection to Discord.
* much better to use a bot account rather than a user account. * <info>Both bot and regular user accounts are supported, but it is highly recommended to use a bot account whenever
* Bot accounts have higher rate limits and have access to some features user accounts don't have. User bots * possible. User accounts are subject to harsher ratelimits and other restrictions that don't apply to bot accounts.
* that are making a lot of API requests can even be banned.</warn> * Bot accounts also have access to many features that user accounts cannot utilise. User accounts that are found to
* @param {string} token The token used for the account. * be abusing/overusing the API will be banned, locking you out of Discord entirely.</info>
* @returns {Promise<string>} * @param {string} token Token of the account to log in with
* @returns {Promise<string>} Token of the account used
* @example * @example
* // log the client in using a token * client.login('my token');
* const token = 'my token';
* client.login(token);
* @example
* // log the client in using email and password
* const email = 'user@email.com';
* const password = 'supersecret123';
* client.login(email, password);
*/ */
login(token) { login(token) {
return this.rest.methods.login(token); return this.rest.methods.login(token);
} }
/** /**
* Destroys the client and logs out. * Logs out, terminates the connection to Discord, and destroys the client
* @returns {Promise} * @returns {Promise}
*/ */
destroy() { destroy() {
@@ -271,10 +270,10 @@ class Client extends EventEmitter {
} }
/** /**
* This shouldn't really be necessary to most developers as it is automatically invoked every 30 seconds, however * Requests a sync of guild data with Discord.
* if you wish to force a sync of guild data, you can use this. * <info>This can be done automatically every 30 seconds by enabling {@link ClientOptions#sync}.</info>
* <warn>This is only available when using a user account.</warn> * <warn>This is only available when using a user account.</warn>
* @param {Guild[]|Collection<string, Guild>} [guilds=this.guilds] An array or collection of guilds to sync * @param {Guild[]|Collection<Snowflake, Guild>} [guilds=this.guilds] An array or collection of guilds to sync
*/ */
syncGuilds(guilds = this.guilds) { syncGuilds(guilds = this.guilds) {
if (this.user.bot) return; if (this.user.bot) return;
@@ -285,10 +284,10 @@ class Client extends EventEmitter {
} }
/** /**
* Caches a user, or obtains it from the cache if it's already cached. * Obtains a user from Discord, or the user cache if it's already available.
* <warn>This is only available when using a bot account.</warn> * <warn>This is only available when using a bot account.</warn>
* @param {string} id The ID of the user to obtain * @param {string} id ID of the user
* @param {boolean} [cache=true] Insert the user into the users cache * @param {boolean} [cache=true] Whether to cache the new user object if it isn't already
* @returns {Promise<User>} * @returns {Promise<User>}
*/ */
fetchUser(id, cache = true) { fetchUser(id, cache = true) {
@@ -297,8 +296,8 @@ class Client extends EventEmitter {
} }
/** /**
* Fetches an invite object from an invite code. * Obtains an invite from Discord.
* @param {InviteResolvable} invite An invite code or URL * @param {InviteResolvable} invite Invite code or URL
* @returns {Promise<Invite>} * @returns {Promise<Invite>}
*/ */
fetchInvite(invite) { fetchInvite(invite) {
@@ -307,7 +306,7 @@ class Client extends EventEmitter {
} }
/** /**
* Fetch a webhook by ID. * Obtains a webhook from Discord.
* @param {string} id ID of the webhook * @param {string} id ID of the webhook
* @param {string} [token] Token for the webhook * @param {string} [token] Token for the webhook
* @returns {Promise<Webhook>} * @returns {Promise<Webhook>}
@@ -317,7 +316,7 @@ class Client extends EventEmitter {
} }
/** /**
* Fetch available voice regions * Obtains the available voice regions from Discord.
* @returns {Collection<string, VoiceRegion>} * @returns {Collection<string, VoiceRegion>}
*/ */
fetchVoiceRegions() { fetchVoiceRegions() {
@@ -325,10 +324,10 @@ class Client extends EventEmitter {
} }
/** /**
* Sweeps all channels' messages and removes the ones older than the max message lifetime. * 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. * 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) * @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 the client's `messageCacheLifetime` option. * 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, * @returns {number} Amount of messages that were removed from the caches,
* or -1 if the message cache lifetime is unlimited * or -1 if the message cache lifetime is unlimited
*/ */
@@ -361,7 +360,7 @@ class Client extends EventEmitter {
} }
/** /**
* Gets the bot's OAuth2 application. * Obtains the OAuth Application of the bot from Discord.
* <warn>This is only available when using a bot account.</warn> * <warn>This is only available when using a bot account.</warn>
* @returns {Promise<ClientOAuth2Application>} * @returns {Promise<ClientOAuth2Application>}
*/ */
@@ -371,9 +370,10 @@ class Client extends EventEmitter {
} }
/** /**
* Generate an invite link for your bot * Generates a link that can be used to invite the bot to a guild.
* @param {PermissionResolvable[]|number} [permissions] An array of permissions to request * <warn>This is only available when using a bot account.</warn>
* @returns {Promise<string>} The invite link * @param {PermissionResolvable[]|number} [permissions] Permissions to request
* @returns {Promise<string>}
* @example * @example
* client.generateInvite(['SEND_MESSAGES', 'MANAGE_GUILD', 'MENTION_EVERYONE']) * client.generateInvite(['SEND_MESSAGES', 'MANAGE_GUILD', 'MENTION_EVERYONE'])
* .then(link => { * .then(link => {
@@ -438,24 +438,46 @@ class Client extends EventEmitter {
this._intervals.delete(interval); this._intervals.delete(interval);
} }
/**
* Adds a ping to {@link Client#pings}.
* @param {number} startTime Starting time of the ping
* @private
*/
_pong(startTime) { _pong(startTime) {
this.pings.unshift(Date.now() - startTime); this.pings.unshift(Date.now() - startTime);
if (this.pings.length > 3) this.pings.length = 3; if (this.pings.length > 3) this.pings.length = 3;
this.ws.lastHeartbeatAck = true; this.ws.lastHeartbeatAck = true;
} }
/**
* Adds/updates a friend's presence in {@link Client#presences}.
* @param {string} id ID of the user
* @param {Object} presence Raw presence object from Discord
* @private
*/
_setPresence(id, presence) { _setPresence(id, presence) {
if (this.presences.get(id)) { if (this.presences.has(id)) {
this.presences.get(id).update(presence); this.presences.get(id).update(presence);
return; return;
} }
this.presences.set(id, new Presence(presence)); this.presences.set(id, new Presence(presence));
} }
/**
* Calls `eval(script)` with the client as `this`.
* @param {string} script Script to eval
* @returns {*}
* @private
*/
_eval(script) { _eval(script) {
return eval(script); return eval(script);
} }
/**
* Validates client options
* @param {ClientOptions} [options=this.options] Options to validate
* @private
*/
_validateOptions(options = this.options) { _validateOptions(options = this.options) {
if (typeof options.shardCount !== 'number' || isNaN(options.shardCount)) { if (typeof options.shardCount !== 'number' || isNaN(options.shardCount)) {
throw new TypeError('The shardCount option must be a number.'); throw new TypeError('The shardCount option must be a number.');

View File

@@ -12,6 +12,7 @@ class GuildRoleCreate extends Action {
const role = new Role(guild, data.role); const role = new Role(guild, data.role);
guild.roles.set(role.id, role); guild.roles.set(role.id, role);
if (!already) client.emit(Constants.Events.GUILD_ROLE_CREATE, role); if (!already) client.emit(Constants.Events.GUILD_ROLE_CREATE, role);
return { return {
role, role,
}; };

View File

@@ -68,8 +68,10 @@ class RESTMethods {
if (typeof code !== 'undefined' && (typeof code !== 'boolean' || code === true)) { if (typeof code !== 'undefined' && (typeof code !== 'boolean' || code === true)) {
content = escapeMarkdown(this.client.resolver.resolveString(content), true); content = escapeMarkdown(this.client.resolver.resolveString(content), true);
content = `\`\`\`${typeof code !== 'boolean' ? code || '' : ''}\n${content}\n\`\`\``; content = `\`\`\`${typeof code !== 'boolean' ? code || '' : ''}\n${content}\n\`\`\``;
split.prepend = `\`\`\`${typeof code !== 'boolean' ? code || '' : ''}\n`; if (split) {
split.append = '\n```'; split.prepend = `\`\`\`${typeof code !== 'boolean' ? code || '' : ''}\n`;
split.append = '\n```';
}
} }
// Add zero-width spaces to @everyone/@here // Add zero-width spaces to @everyone/@here

View File

@@ -18,13 +18,13 @@ class ClientVoiceManager {
/** /**
* A collection mapping connection IDs to the Connection objects * A collection mapping connection IDs to the Connection objects
* @type {Collection<string, VoiceConnection>} * @type {Collection<Snowflake, VoiceConnection>}
*/ */
this.connections = new Collection(); this.connections = new Collection();
/** /**
* Pending connection attempts, maps guild ID to VoiceChannel * Pending connection attempts, maps guild ID to VoiceChannel
* @type {Collection<string, VoiceChannel>} * @type {Collection<Snowflake, VoiceChannel>}
*/ */
this.pending = new Collection(); this.pending = new Collection();

View File

@@ -26,7 +26,7 @@ class GuildMembersChunkHandler extends AbstractHandler {
/** /**
* Emitted whenever a chunk of guild members is received (all members come from the same guild) * Emitted whenever a chunk of guild members is received (all members come from the same guild)
* @event Client#guildMembersChunk * @event Client#guildMembersChunk
* @param {Collection<GuildMember>} members The members in the chunk * @param {Collection<Snowflake, GuildMember>} members The members in the chunk
* @param {Guild} guild The guild related to the member chunk * @param {Guild} guild The guild related to the member chunk
*/ */

View File

@@ -11,7 +11,7 @@ class MessageDeleteBulkHandler extends AbstractHandler {
/** /**
* Emitted whenever messages are deleted in bulk * Emitted whenever messages are deleted in bulk
* @event Client#messageDeleteBulk * @event Client#messageDeleteBulk
* @param {Collection<string, Message>} messages The deleted messages, mapped by their ID * @param {Collection<Snowflake, Message>} messages The deleted messages, mapped by their ID
*/ */
module.exports = MessageDeleteBulkHandler; module.exports = MessageDeleteBulkHandler;

View File

@@ -7,6 +7,7 @@ const Constants = require('../util/Constants');
const Collection = require('../util/Collection'); const Collection = require('../util/Collection');
const cloneObject = require('../util/CloneObject'); const cloneObject = require('../util/CloneObject');
const arraysEqual = require('../util/ArraysEqual'); const arraysEqual = require('../util/ArraysEqual');
const moveElementInArray = require('../util/MoveElementInArray');
/** /**
* Represents a guild (or a server) on Discord. * Represents a guild (or a server) on Discord.
@@ -300,7 +301,7 @@ class Guild {
/** /**
* Fetch a collection of banned users in this guild. * Fetch a collection of banned users in this guild.
* @returns {Promise<Collection<string, User>>} * @returns {Promise<Collection<Snowflake, User>>}
*/ */
fetchBans() { fetchBans() {
return this.client.rest.methods.getGuildBans(this); return this.client.rest.methods.getGuildBans(this);
@@ -316,7 +317,7 @@ class Guild {
/** /**
* Fetch all webhooks for the guild. * Fetch all webhooks for the guild.
* @returns {Collection<Webhook>} * @returns {Collection<Snowflake, Webhook>}
*/ */
fetchWebhooks() { fetchWebhooks() {
return this.client.rest.methods.getGuildWebhooks(this); return this.client.rest.methods.getGuildWebhooks(this);
@@ -643,9 +644,10 @@ class Guild {
* Set the position of a role in this guild * Set the position of a role in this guild
* @param {string|Role} role the role to edit, can be a role object or a role ID. * @param {string|Role} role the role to edit, can be a role object or a role ID.
* @param {number} position the new position of the role * @param {number} position the new position of the role
* @param {boolean} [relative=false] Position moves the role relative to its current position
* @returns {Promise<Guild>} * @returns {Promise<Guild>}
*/ */
setRolePosition(role, position) { setRolePosition(role, position, relative = false) {
if (typeof role === 'string') { if (typeof role === 'string') {
role = this.roles.get(role); role = this.roles.get(role);
if (!role) return Promise.reject(new Error('Supplied role is not a role or string.')); if (!role) return Promise.reject(new Error('Supplied role is not a role or string.'));
@@ -654,27 +656,12 @@ class Guild {
position = Number(position); position = Number(position);
if (isNaN(position)) return Promise.reject(new Error('Supplied position is not a number.')); if (isNaN(position)) return Promise.reject(new Error('Supplied position is not a number.'));
const lowestAffected = Math.min(role.position, position); let updatedRoles = Object.assign([], this.roles.array()
const highestAffected = Math.max(role.position, position); .sort((r1, r2) => r1.position !== r2.position ? r1.position - r2.position : r1.id - r2.id));
const rolesToUpdate = this.roles.filter(r => r.position >= lowestAffected && r.position <= highestAffected); moveElementInArray(updatedRoles, role, position, relative);
// stop role positions getting stupidly inflated
if (position > role.position) {
position = rolesToUpdate.first().position;
} else {
position = rolesToUpdate.last().position;
}
const updatedRoles = [];
for (const uRole of rolesToUpdate.values()) {
updatedRoles.push({
id: uRole.id,
position: uRole.id === role.id ? position : uRole.position + (position < role.position ? 1 : -1),
});
}
updatedRoles = updatedRoles.map((r, i) => ({ id: r.id, position: i }));
return this.client.rest.methods.setRolePositions(this.id, updatedRoles); return this.client.rest.methods.setRolePositions(this.id, updatedRoles);
} }

View File

@@ -64,10 +64,12 @@ class GuildChannel extends Channel {
for (const role of roles.values()) permissions |= role.permissions; for (const role of roles.values()) permissions |= role.permissions;
const overwrites = this.overwritesFor(member, true, roles); const overwrites = this.overwritesFor(member, true, roles);
let allow = 0;
for (const overwrite of overwrites.role.concat(overwrites.member)) { for (const overwrite of overwrites.role.concat(overwrites.member)) {
permissions &= ~overwrite.deny; permissions &= ~overwrite.deny;
permissions |= overwrite.allow; allow |= overwrite.allow;
} }
permissions |= allow;
const admin = Boolean(permissions & Constants.PermissionFlags.ADMINISTRATOR); const admin = Boolean(permissions & Constants.PermissionFlags.ADMINISTRATOR);
if (admin) permissions = Constants.ALL_PERMISSIONS; if (admin) permissions = Constants.ALL_PERMISSIONS;
@@ -250,10 +252,12 @@ class GuildChannel extends Channel {
* Clone this channel * Clone this channel
* @param {string} [name=this.name] Optional name for the new channel, otherwise it has the name of this channel * @param {string} [name=this.name] Optional name for the new channel, otherwise it has the name of this channel
* @param {boolean} [withPermissions=true] Whether to clone the channel with this channel's permission overwrites * @param {boolean} [withPermissions=true] Whether to clone the channel with this channel's permission overwrites
* @param {boolean} [withTopic=true] Whether to clone the channel with this channel's topic
* @returns {Promise<GuildChannel>} * @returns {Promise<GuildChannel>}
*/ */
clone(name = this.name, withPermissions = true) { clone(name = this.name, withPermissions = true, withTopic = true) {
return this.guild.createChannel(name, this.type, withPermissions ? this.permissionOverwrites : []); return this.guild.createChannel(name, this.type, withPermissions ? this.permissionOverwrites : [])
.then(channel => withTopic ? channel.setTopic(this.topic) : channel);
} }
/** /**

View File

@@ -322,7 +322,7 @@ class GuildMember {
/** /**
* Sets the roles applied to the member. * Sets the roles applied to the member.
* @param {Collection<string, Role>|Role[]|string[]} roles The roles or role IDs to apply * @param {Collection<Snowflake, Role>|Role[]|string[]} roles The roles or role IDs to apply
* @returns {Promise<GuildMember>} * @returns {Promise<GuildMember>}
*/ */
setRoles(roles) { setRoles(roles) {
@@ -341,7 +341,7 @@ class GuildMember {
/** /**
* Adds multiple roles to the member. * Adds multiple roles to the member.
* @param {Collection<string, Role>|Role[]|string[]} roles The roles or role IDs to add * @param {Collection<Snowflake, Role>|Role[]|string[]} roles The roles or role IDs to add
* @returns {Promise<GuildMember>} * @returns {Promise<GuildMember>}
*/ */
addRoles(roles) { addRoles(roles) {
@@ -367,7 +367,7 @@ class GuildMember {
/** /**
* Removes multiple roles from the member. * Removes multiple roles from the member.
* @param {Collection<string, Role>|Role[]|string[]} roles The roles or role IDs to remove * @param {Collection<Snowflake, Role>|Role[]|string[]} roles The roles or role IDs to remove
* @returns {Promise<GuildMember>} * @returns {Promise<GuildMember>}
*/ */
removeRoles(roles) { removeRoles(roles) {

View File

@@ -137,7 +137,7 @@ class MessageCollector extends EventEmitter {
this.channel.client.removeListener('message', this.listener); this.channel.client.removeListener('message', this.listener);
/** /**
* Emitted when the Collector stops collecting. * Emitted when the Collector stops collecting.
* @param {Collection<string, Message>} collection A collection of messages collected * @param {Collection<Snowflake, Message>} collection A collection of messages collected
* during the lifetime of the collector, mapped by the ID of the messages. * during the lifetime of the collector, mapped by the ID of the messages.
* @param {string} reason The reason for the end of the collector. If it ended because it reached the specified time * @param {string} reason The reason for the end of the collector. If it ended because it reached the specified time
* limit, this would be `time`. If you invoke `.stop()` without specifying a reason, this would be `user`. If it * limit, this would be `time`. If you invoke `.stop()` without specifying a reason, this would be `user`. If it

View File

@@ -48,7 +48,7 @@ class Role {
this.hoist = data.hoist; this.hoist = data.hoist;
/** /**
* The position of the role in the role manager * The position of the role from the API
* @type {number} * @type {number}
*/ */
this.position = data.position; this.position = data.position;
@@ -122,6 +122,16 @@ class Role {
return clientMember.highestRole.comparePositionTo(this) > 0; return clientMember.highestRole.comparePositionTo(this) > 0;
} }
/**
* The position of the role in the role manager
* @type {number}
*/
get calculatedPosition() {
const sorted = this.guild.roles.array()
.sort((r1, r2) => r1.position !== r2.position ? r1.position - r2.position : r1.id - r2.id);
return sorted.indexOf(sorted.find(r => r.id === this.id));
}
/** /**
* Get an object mapping permission names to whether or not the role enables that permission * Get an object mapping permission names to whether or not the role enables that permission
* @returns {Object<string, boolean>} * @returns {Object<string, boolean>}
@@ -246,6 +256,7 @@ class Role {
/** /**
* Set the position of the role * Set the position of the role
* @param {number} position The position of the role * @param {number} position The position of the role
* @param {boolean} [relative=false] Move the position relative to its current value
* @returns {Promise<Role>} * @returns {Promise<Role>}
* @example * @example
* // set the position of the role * // set the position of the role
@@ -253,8 +264,8 @@ class Role {
* .then(r => console.log(`Role position: ${r.position}`)) * .then(r => console.log(`Role position: ${r.position}`))
* .catch(console.error); * .catch(console.error);
*/ */
setPosition(position) { setPosition(position, relative) {
return this.guild.setRolePosition(this, position).then(() => this); return this.guild.setRolePosition(this, position, relative).then(() => this);
} }
/** /**

View File

@@ -22,13 +22,13 @@ class UserProfile {
/** /**
* Guilds that the client user and the user share * Guilds that the client user and the user share
* @type {Collection<Guild>} * @type {Collection<Snowflake, Guild>}
*/ */
this.mutualGuilds = new Collection(); this.mutualGuilds = new Collection();
/** /**
* The user's connections * The user's connections
* @type {Collection<UserConnection>} * @type {Collection<String, UserConnection>}
*/ */
this.connections = new Collection(); this.connections = new Collection();

View File

@@ -188,7 +188,7 @@ class TextBasedChannel {
/** /**
* Gets the past messages sent in this channel. Resolves with a collection mapping message ID's to Message objects. * Gets the past messages sent in this channel. Resolves with a collection mapping message ID's to Message objects.
* @param {ChannelLogsQueryOptions} [options={}] Query parameters to pass in * @param {ChannelLogsQueryOptions} [options={}] Query parameters to pass in
* @returns {Promise<Collection<string, Message>>} * @returns {Promise<Collection<Snowflake, Message>>}
* @example * @example
* // get messages * // get messages
* channel.fetchMessages({limit: 10}) * channel.fetchMessages({limit: 10})
@@ -209,7 +209,7 @@ class TextBasedChannel {
/** /**
* Fetches the pinned messages of this channel and returns a collection of them. * Fetches the pinned messages of this channel and returns a collection of them.
* @returns {Promise<Collection<string, Message>>} * @returns {Promise<Collection<Snowflake, Message>>}
*/ */
fetchPinnedMessages() { fetchPinnedMessages() {
return this.client.rest.methods.getChannelPinnedMessages(this).then(data => { return this.client.rest.methods.getChannelPinnedMessages(this).then(data => {
@@ -336,7 +336,7 @@ class TextBasedChannel {
* filter. * filter.
* @param {CollectorFilterFunction} filter The filter function to use * @param {CollectorFilterFunction} filter The filter function to use
* @param {AwaitMessagesOptions} [options={}] Optional options to pass to the internal collector * @param {AwaitMessagesOptions} [options={}] Optional options to pass to the internal collector
* @returns {Promise<Collection<string, Message>>} * @returns {Promise<Collection<Snowflake, Message>>}
* @example * @example
* // await !vote messages * // await !vote messages
* const filter = m => m.content.startsWith('!vote'); * const filter = m => m.content.startsWith('!vote');
@@ -361,9 +361,9 @@ class TextBasedChannel {
/** /**
* Bulk delete given messages that are newer than two weeks * Bulk delete given messages that are newer than two weeks
* <warn>This is only available when using a bot account.</warn> * <warn>This is only available when using a bot account.</warn>
* @param {Collection<string, Message>|Message[]|number} messages Messages to delete, or number of messages to delete * @param {Collection<Snowflake, Message>|Message[]|number} messages Messages or number of messages to delete
* @param {boolean} [filterOld=false] Filter messages to remove those which are older than two weeks automatically * @param {boolean} [filterOld=false] Filter messages to remove those which are older than two weeks automatically
* @returns {Promise<Collection<string, Message>>} Deleted messages * @returns {Promise<Collection<Snowflake, Message>>} Deleted messages
*/ */
bulkDelete(messages, filterOld = false) { bulkDelete(messages, filterOld = false) {
if (!isNaN(messages)) return this.fetchMessages({ limit: messages }).then(msgs => this.bulkDelete(msgs)); if (!isNaN(messages)) return this.fetchMessages({ limit: messages }).then(msgs => this.bulkDelete(msgs));

View File

@@ -3,24 +3,25 @@ exports.Package = require('../../package.json');
/** /**
* Options for a Client. * Options for a Client.
* @typedef {Object} ClientOptions * @typedef {Object} ClientOptions
* @property {string} [apiRequestMethod='sequential'] 'sequential' or 'burst'. Sequential executes all requests in * @property {string} [apiRequestMethod='sequential'] One of `sequential` or `burst`. The sequential handler executes
* the order they are triggered, whereas burst runs multiple at a time, and doesn't guarantee a particular order. * all requests in the order they are triggered, whereas the burst handler runs multiple in parallel, and doesn't
* @property {number} [shardId=0] The ID of this shard * provide the guarantee of any particular order.
* @property {number} [shardCount=0] The number of shards * @property {number} [shardId=0] ID of the shard to run
* @property {number} [shardCount=0] Total number of shards
* @property {number} [messageCacheMaxSize=200] Maximum number of messages to cache per channel * @property {number} [messageCacheMaxSize=200] Maximum number of messages to cache per channel
* (-1 or Infinity for unlimited - don't do this without message sweeping, otherwise memory usage will climb * (-1 or Infinity for unlimited - don't do this without message sweeping, otherwise memory usage will climb
* indefinitely) * indefinitely)
* @property {number} [messageCacheLifetime=0] How long until a message should be uncached by the message sweeping * @property {number} [messageCacheLifetime=0] How long a message should stay in the cache until it is considered
* (in seconds, 0 for forever) * sweepable (in seconds, 0 for forever)
* @property {number} [messageSweepInterval=0] How frequently to remove messages from the cache that are older than * @property {number} [messageSweepInterval=0] How frequently to remove messages from the cache that are older than
* the message cache lifetime (in seconds, 0 for never) * the message cache lifetime (in seconds, 0 for never)
* @property {boolean} [fetchAllMembers=false] Whether to cache all guild members and users upon startup, as well as * @property {boolean} [fetchAllMembers=false] Whether to cache all guild members and users upon startup, as well as
* upon joining a guild * upon joining a guild (should be avoided whenever possible)
* @property {boolean} [disableEveryone=false] Default value for MessageOptions.disableEveryone * @property {boolean} [disableEveryone=false] Default value for {@link MessageOptions#disableEveryone}
* @property {boolean} [sync=false] Whether to periodically sync guilds (for userbots) * @property {boolean} [sync=false] Whether to periodically sync guilds (for user accounts)
* @property {number} [restWsBridgeTimeout=5000] Maximum time permitted between REST responses and their * @property {number} [restWsBridgeTimeout=5000] Maximum time permitted between REST responses and their
* corresponding websocket events * corresponding websocket events
* @property {number} [restTimeOffset=500] The extra time in millseconds to wait before continuing to make REST * @property {number} [restTimeOffset=500] Extra time in millseconds to wait before continuing to make REST
* requests (higher values will reduce rate-limiting errors on bad connections) * requests (higher values will reduce rate-limiting errors on bad connections)
* @property {WSEventType[]} [disabledEvents] An array of disabled websocket events. Events in this array will not be * @property {WSEventType[]} [disabledEvents] An array of disabled websocket events. Events in this array will not be
* processed, potentially resulting in performance improvements for larger bots. Only disable events you are * processed, potentially resulting in performance improvements for larger bots. Only disable events you are
@@ -43,11 +44,11 @@ exports.DefaultOptions = {
restTimeOffset: 500, restTimeOffset: 500,
/** /**
* Websocket options. These are left as snake_case to match the API. * Websocket options (these are left as snake_case to match the API)
* @typedef {Object} WebsocketOptions * @typedef {Object} WebsocketOptions
* @property {number} [large_threshold=250] Number of members in a guild to be considered large * @property {number} [large_threshold=250] Number of members in a guild to be considered large
* @property {boolean} [compress=true] Whether to compress data sent on the connection. * @property {boolean} [compress=true] Whether to compress data sent on the connection
* Defaults to `false` for browsers. * (defaults to `false` for browsers)
*/ */
ws: { ws: {
large_threshold: 250, large_threshold: 250,

View File

@@ -7,7 +7,7 @@ const botGateway = require('./Constants').Endpoints.botGateway;
* @param {number} [guildsPerShard=1000] Number of guilds per shard * @param {number} [guildsPerShard=1000] Number of guilds per shard
* @returns {Promise<number>} the recommended number of shards * @returns {Promise<number>} the recommended number of shards
*/ */
module.exports = function fetchRecommendedShards(token, guildsPerShard = 1000) { function fetchRecommendedShards(token, guildsPerShard = 1000) {
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
if (!token) throw new Error('A token must be provided.'); if (!token) throw new Error('A token must be provided.');
superagent.get(botGateway) superagent.get(botGateway)
@@ -17,4 +17,6 @@ module.exports = function fetchRecommendedShards(token, guildsPerShard = 1000) {
resolve(res.body.shards * (1000 / guildsPerShard)); resolve(res.body.shards * (1000 / guildsPerShard));
}); });
}); });
}; }
module.exports = fetchRecommendedShards;

View File

@@ -0,0 +1,17 @@
/**
* Moves an element in an array *in place*
* @param {Array} array Array to modify
* @param {*} element Element to move
* @param {number} newIndex Index or offset to move the element to
* @param {boolean} [offset=false] Move the element by an offset amount rather than to a set index
* @returns {Array}
*/
module.exports = function moveElementInArray(array, element, newIndex, offset = false) {
const index = array.indexOf(element);
newIndex = (offset ? index : 0) + newIndex;
if (newIndex > -1 && newIndex < array.length) {
const removedElement = array.splice(index, 1)[0];
array.splice(newIndex, 0, removedElement);
}
return array;
};