"use strict";
var __create = Object.create;
var __defProp = Object.defineProperty;
var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
var __getOwnPropNames = Object.getOwnPropertyNames;
var __getProtoOf = Object.getPrototypeOf;
var __hasOwnProp = Object.prototype.hasOwnProperty;
var __export = (target, all) => {
for (var name in all)
__defProp(target, name, { get: all[name], enumerable: true });
};
var __copyProps = (to, from, except, desc) => {
if (from && typeof from === "object" || typeof from === "function") {
for (let key of __getOwnPropNames(from))
if (!__hasOwnProp.call(to, key) && key !== except)
__defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
}
return to;
};
var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
// If the importer is in node compatibility mode or this is not an ESM
// file that has been converted to a CommonJS file using a Babel-
// compatible transform (i.e. "__esModule" has not been set), then set
// "default" to the CommonJS "module.exports" for node compatibility.
isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
mod
));
var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
var rooms_exports = {};
__export(rooms_exports, {
BasicRoom: () => BasicRoom,
ChatRoom: () => ChatRoom,
GameRoom: () => GameRoom,
GlobalRoomState: () => GlobalRoomState,
Rooms: () => Rooms
});
module.exports = __toCommonJS(rooms_exports);
var import_lib = require("../lib");
var import_room_settings = require("./chat-commands/room-settings");
var import_room_battle = require("./room-battle");
var import_room_battle_bestof = require("./room-battle-bestof");
var import_room_game = require("./room-game");
var import_room_minor_activity = require("./room-minor-activity");
var import_roomlogs = require("./roomlogs");
var import_user_groups = require("./user-groups");
var import_modlog = require("./modlog");
var import_replays = require("./replays");
var crypto = __toESM(require("crypto"));
/**
* Rooms
* Pokemon Showdown - http://pokemonshowdown.com/
*
* Every chat room and battle is a room, and what they do is done in
* rooms.ts. There's also a global room which every user is in, and
* handles miscellaneous things like welcoming the user.
*
* `Rooms.rooms` is the global table of all rooms, a `Map` of `RoomID:Room`.
* Rooms should normally be accessed with `Rooms.get(roomid)`.
*
* All rooms extend `BasicRoom`, whose important properties like `.users`
* and `.game` are documented near the the top of its class definition.
*
* @license MIT
*/
const ALPHABET = "0123456789abcdefghijklmnopqrstuvwxyz".split("");
const TIMEOUT_EMPTY_DEALLOCATE = 10 * 60 * 1e3;
const TIMEOUT_INACTIVE_DEALLOCATE = 40 * 60 * 1e3;
const REPORT_USER_STATS_INTERVAL = 10 * 60 * 1e3;
const MAX_CHATROOM_ID_LENGTH = 225;
const CRASH_REPORT_THROTTLE = 60 * 60 * 1e3;
const LAST_BATTLE_WRITE_THROTTLE = 10;
const RETRY_AFTER_LOGIN = null;
class BasicRoom {
constructor(roomid, title, options = {}) {
this.users = /* @__PURE__ */ Object.create(null);
this.type = "chat";
this.muteQueue = [];
this.battle = null;
this.bestOf = null;
this.game = null;
this.subGame = null;
this.tour = null;
this.roomid = roomid;
this.title = title || roomid;
this.parent = null;
this.userCount = 0;
this.game = null;
this.active = false;
this.muteTimer = null;
this.lastUpdate = 0;
this.lastBroadcast = "";
this.lastBroadcastTime = 0;
this.settings = {
title: this.title,
auth: /* @__PURE__ */ Object.create(null),
creationTime: Date.now()
};
this.persist = false;
this.hideReplay = false;
this.subRooms = null;
this.scavgame = null;
this.scavLeaderboard = {};
this.auth = new import_user_groups.RoomAuth(this);
this.reportJoins = true;
this.batchJoins = 0;
this.reportJoinsInterval = null;
options.title = this.title;
if (options.isHelp)
options.noAutoTruncate = true;
this.reportJoins = !!(Config.reportjoins || options.isPersonal);
this.batchJoins = options.isPersonal ? 0 : Config.reportjoinsperiod || 0;
if (!options.auth)
options.auth = {};
this.log = import_roomlogs.Roomlogs.create(this, options);
this.banwordRegex = null;
this.settings = options;
if (!this.settings.creationTime)
this.settings.creationTime = Date.now();
this.auth.load();
if (!options.isPersonal)
this.persist = true;
this.minorActivity = null;
this.minorActivityQueue = null;
if (options.parentid) {
this.setParent(Rooms.get(options.parentid) || null);
}
this.subRooms = null;
this.active = false;
this.muteTimer = null;
this.modchatTimer = null;
this.logUserStatsInterval = null;
this.expireTimer = null;
if (Config.logchat) {
this.roomlog("NEW CHATROOM: " + this.roomid);
if (Config.loguserstats) {
this.logUserStatsInterval = setInterval(() => this.logUserStats(), Config.loguserstats);
}
}
this.userList = "";
if (this.batchJoins) {
this.userList = this.getUserList();
}
this.pendingApprovals = null;
this.messagesSent = 0;
this.nthMessageHandlers = /* @__PURE__ */ new Map();
this.tour = null;
this.game = null;
this.battle = null;
this.validateTitle(this.title, this.roomid);
}
toString() {
return this.roomid;
}
/**
* Send a room message to all users in the room, without recording it
* in the scrollback log.
*/
send(message) {
if (this.roomid !== "lobby")
message = ">" + this.roomid + "\n" + message;
if (this.userCount)
Sockets.roomBroadcast(this.roomid, message);
}
sendMods(data) {
this.sendRankedUsers(data, "*");
}
sendRankedUsers(data, minRank = "+") {
if (this.settings.staffRoom) {
if (!this.log)
throw new Error(`Staff room ${this.roomid} has no log`);
this.log.add(data);
return;
}
for (const i in this.users) {
const user = this.users[i];
if (user.isStaff || this.auth.atLeast(user, minRank)) {
user.sendTo(this, data);
}
}
}
/**
* Send a room message to a single user.
*/
sendUser(user, message) {
user.sendTo(this, message);
}
/**
* Add a room message to the room log, so it shows up in the room
* for everyone, and appears in the scrollback for new users who
* join.
*/
add(message) {
this.log.add(message);
return this;
}
roomlog(message) {
this.log.roomlog(message);
return this;
}
/**
* Writes an entry to the modlog for that room, and the global modlog if entry.isGlobal is true.
*/
modlog(entry) {
const override = this.tour ? `${this.roomid} tournament: ${this.tour.roomid}` : void 0;
this.log.modlog(entry, override);
return this;
}
uhtmlchange(name, message) {
this.log.uhtmlchange(name, message);
}
attributedUhtmlchange(user, name, message) {
this.log.attributedUhtmlchange(user, name, message);
}
hideText(userids, lineCount = 0, hideRevealButton) {
const cleared = this.log.clearText(userids, lineCount);
for (const userid of cleared) {
this.send(`|hidelines|${hideRevealButton ? "delete" : "hide"}|${userid}|${lineCount}`);
}
this.update();
}
/**
* Inserts (sanitized) HTML into the room log.
*/
addRaw(message) {
return this.add("|raw|" + message);
}
/**
* Inserts some text into the room log, attributed to user. The
* attribution will not appear, and is used solely as a hint not to
* highlight the user.
*/
addByUser(user, text) {
return this.add("|c|" + user.getIdentity(this) + "|/log " + text);
}
/**
* Like addByUser, but without logging
*/
sendByUser(user, text) {
this.send("|c|" + (user ? user.getIdentity(this) : "~") + "|/log " + text);
}
/**
* Like addByUser, but sends to mods only.
*/
sendModsByUser(user, text) {
this.sendMods("|c|" + user.getIdentity(this) + "|/log " + text);
}
update() {
if (!this.log.broadcastBuffer.length)
return;
if (this.reportJoinsInterval) {
clearInterval(this.reportJoinsInterval);
this.reportJoinsInterval = null;
this.userList = this.getUserList();
}
this.send(this.log.broadcastBuffer.join("\n"));
this.log.broadcastBuffer = [];
this.log.truncate();
this.pokeExpireTimer();
}
getUserList() {
let buffer = "";
let counter = 0;
for (const i in this.users) {
if (!this.users[i].named) {
continue;
}
counter++;
buffer += "," + this.users[i].getIdentityWithStatus(this);
}
const msg = `|users|${counter}${buffer}`;
return msg;
}
nextGameNumber() {
const gameNumber = (this.settings.gameNumber || 0) + 1;
this.settings.gameNumber = gameNumber;
this.saveSettings();
return gameNumber;
}
// mute handling
runMuteTimer(forceReschedule = false) {
if (forceReschedule && this.muteTimer) {
clearTimeout(this.muteTimer);
this.muteTimer = null;
}
if (this.muteTimer || this.muteQueue.length === 0)
return;
const timeUntilExpire = this.muteQueue[0].time - Date.now();
if (timeUntilExpire <= 1e3) {
this.unmute(this.muteQueue[0].userid, "Your mute in '" + this.title + "' has expired.");
return;
}
this.muteTimer = setTimeout(() => {
this.muteTimer = null;
this.runMuteTimer(true);
}, timeUntilExpire);
}
isMuted(user) {
if (!user)
return;
if (this.muteQueue) {
for (const entry of this.muteQueue) {
if (user.id === entry.userid || user.guestNum === entry.guestNum || user.autoconfirmed && user.autoconfirmed === entry.autoconfirmed) {
if (entry.time - Date.now() < 0) {
this.unmute(user.id);
return;
} else {
return entry.userid;
}
}
}
}
if (this.parent)
return this.parent.isMuted(user);
}
getMuteTime(user) {
const userid = this.isMuted(user);
if (!userid)
return;
for (const entry of this.muteQueue) {
if (userid === entry.userid) {
return entry.time - Date.now();
}
}
if (this.parent)
return this.parent.getMuteTime(user);
}
getGame(constructor, subGame = false) {
if (subGame && this.subGame && this.subGame.constructor.name === constructor.name)
return this.subGame;
if (this.game && this.game.constructor.name === constructor.name)
return this.game;
return null;
}
getMinorActivity(constructor) {
if (this.minorActivity?.constructor.name === constructor.name)
return this.minorActivity;
return null;
}
getMinorActivityQueue(settings = false) {
const usedQueue = settings ? this.settings.minorActivityQueue : this.minorActivityQueue;
if (!usedQueue?.length)
return null;
return usedQueue;
}
queueMinorActivity(activity) {
if (!this.minorActivityQueue)
this.minorActivityQueue = [];
this.minorActivityQueue.push(activity);
this.settings.minorActivityQueue = this.minorActivityQueue;
}
clearMinorActivityQueue(slot, depth = 1) {
if (!this.minorActivityQueue)
return;
if (slot === void 0) {
this.minorActivityQueue = null;
delete this.settings.minorActivityQueue;
this.saveSettings();
} else {
this.minorActivityQueue.splice(slot, depth);
this.settings.minorActivityQueue = this.minorActivityQueue;
this.saveSettings();
if (!this.minorActivityQueue.length)
this.clearMinorActivityQueue();
}
}
setMinorActivity(activity, noDisplay = false) {
this.minorActivity?.endTimer();
this.minorActivity = activity;
if (this.minorActivity) {
this.minorActivity.save();
if (!noDisplay)
this.minorActivity.display();
} else {
delete this.settings.minorActivity;
this.saveSettings();
}
}
saveSettings() {
if (!this.persist)
return;
if (!Rooms.global)
return;
Rooms.global.writeChatRoomData();
}
checkModjoin(user) {
if (user.id in this.users)
return true;
if (!this.settings.modjoin)
return true;
if (this.auth.has(user.id))
return true;
const modjoinSetting = this.settings.modjoin !== true ? this.settings.modjoin : this.settings.modchat;
if (!modjoinSetting)
return true;
if (!Users.Auth.isAuthLevel(modjoinSetting)) {
Monitor.error(`Invalid modjoin setting in ${this.roomid}: ${modjoinSetting}`);
}
return this.auth.atLeast(user, modjoinSetting) || Users.globalAuth.atLeast(user, modjoinSetting);
}
mute(user, setTime) {
const userid = user.id;
if (!setTime)
setTime = 7 * 6e4;
if (setTime > 90 * 6e4)
setTime = 90 * 6e4;
if (this.isMuted(user))
this.unmute(userid);
for (let i = 0; i <= this.muteQueue.length; i++) {
const time = Date.now() + setTime;
if (i === this.muteQueue.length || time < this.muteQueue[i].time) {
const entry = {
userid,
time,
guestNum: user.guestNum,
autoconfirmed: user.autoconfirmed
};
this.muteQueue.splice(i, 0, entry);
if (i === 0 && this.muteTimer) {
clearTimeout(this.muteTimer);
this.muteTimer = null;
}
break;
}
}
this.runMuteTimer();
user.updateIdentity();
if (!(this.settings.isPrivate === true || this.settings.isPersonal)) {
void Punishments.monitorRoomPunishments(user);
}
return userid;
}
unmute(userid, notifyText) {
let successUserid = "";
const user = Users.get(userid);
let autoconfirmed = "";
if (user) {
userid = user.id;
autoconfirmed = user.autoconfirmed;
}
for (const [i, entry] of this.muteQueue.entries()) {
if (entry.userid === userid || user && entry.guestNum === user.guestNum || autoconfirmed && entry.autoconfirmed === autoconfirmed) {
if (i === 0) {
this.muteQueue.splice(0, 1);
this.runMuteTimer(true);
} else {
this.muteQueue.splice(i, 1);
}
successUserid = entry.userid;
break;
}
}
if (user && successUserid && userid in this.users) {
user.updateIdentity();
if (notifyText)
user.popup(notifyText);
}
return successUserid;
}
logUserStats() {
let total = 0;
let guests = 0;
const groups = {};
for (const group of Config.groupsranking) {
groups[group] = 0;
}
for (const i in this.users) {
const user = this.users[i];
++total;
if (!user.named) {
++guests;
}
++groups[this.auth.get(user.id)];
}
let entry = `|userstats|total:${total}|guests:${guests}`;
for (const i in groups) {
entry += `|${i}:${groups[i]}`;
}
this.roomlog(entry);
}
pokeExpireTimer() {
if (this.expireTimer)
clearTimeout(this.expireTimer);
if (this.settings.isPersonal) {
this.expireTimer = setTimeout(() => this.expire(), TIMEOUT_INACTIVE_DEALLOCATE);
} else {
this.expireTimer = null;
}
}
expire() {
this.send("|expire|");
this.destroy();
}
reportJoin(type, entry, user) {
const canTalk = this.auth.atLeast(user, this.settings.modchat ?? "unlocked") && !this.isMuted(user);
if (this.reportJoins && (canTalk || this.auth.has(user.id))) {
this.add(`|${type}|${entry}`).update();
return;
}
let ucType = "";
switch (type) {
case "j":
ucType = "J";
break;
case "l":
ucType = "L";
break;
case "n":
ucType = "N";
break;
}
entry = `|${ucType}|${entry}`;
if (this.batchJoins) {
this.log.broadcastBuffer.push(entry);
if (!this.reportJoinsInterval) {
this.reportJoinsInterval = setTimeout(
() => this.update(),
this.batchJoins
);
}
} else {
this.send(entry);
}
this.roomlog(entry);
}
getIntroMessage(user) {
let message = import_lib.Utils.html`\n|raw|
You joined ${this.title}`;
if (this.settings.modchat) {
message += ` [${this.settings.modchat} or higher to talk]`;
}
if (this.settings.modjoin) {
const modjoin = this.settings.modjoin === true ? this.settings.modchat : this.settings.modjoin;
message += ` [${modjoin} or higher to join]`;
}
if (this.settings.slowchat) {
message += ` [Slowchat ${this.settings.slowchat}s]`;
}
message += `
`;
if (this.settings.introMessage) {
message += `
|raw|(Staff intro:)
` + this.settings.staffMessage.replace(/\n/g, "") + `
`);
}
if (this.pendingApprovals?.size) {
let message = `|raw|
`;
message += `
(Pending media requests: ${this.pendingApprovals.size})
`;
for (const [userid, entry] of this.pendingApprovals) {
message += ``;
message += `
Requester ID: ${userid}
`;
if (entry.dimensions) {
const [width, height, resized] = entry.dimensions;
message += `
Link: 
`;
if (resized)
message += `(Resized)
`;
} else {
message += `
Link: Link`;
}
message += `
Comment: ${entry.comment ? entry.comment : "None."}
`;
message += `
`;
message += `
`;
}
message += ``;
messages.push(message);
}
if (!this.settings.isPrivate && !this.settings.isPersonal && this.settings.modchat && this.settings.modchat !== "autoconfirmed") {
messages.push(`|raw|
Modchat currently set to ${this.settings.modchat}
`);
}
return messages.join("\n");
}
getSubRooms(includeSecret = false) {
if (!this.subRooms)
return [];
return [...this.subRooms.values()].filter(
(room) => includeSecret ? true : !room.settings.isPrivate && !room.settings.isPersonal
);
}
validateTitle(newTitle, newID, oldID) {
if (!newID)
newID = toID(newTitle);
if (newTitle.includes(",") || newTitle.includes("|")) {
throw new Chat.ErrorMessage(`Room title "${newTitle}" can't contain any of: ,|`);
}
if ((!newID.includes("-") || newID.startsWith("groupchat-")) && newTitle.includes("-")) {
throw new Chat.ErrorMessage(`Room title "${newTitle}" can't contain -`);
}
if (newID.length > MAX_CHATROOM_ID_LENGTH)
throw new Chat.ErrorMessage("The given room title is too long.");
if (newID !== oldID && Rooms.search(newTitle))
throw new Chat.ErrorMessage(`The room '${newTitle}' already exists.`);
}
setParent(room) {
if (this.parent === room)
return;
if (this.parent) {
this.parent.subRooms.delete(this.roomid);
if (!this.parent.subRooms.size) {
this.parent.subRooms = null;
}
}
this.parent = room;
if (room) {
if (!room.subRooms) {
room.subRooms = /* @__PURE__ */ new Map();
}
room.subRooms.set(this.roomid, this);
this.settings.parentid = room.roomid;
} else {
delete this.settings.parentid;
}
this.saveSettings();
for (const userid in this.users) {
this.users[userid].updateIdentity(this.roomid);
}
}
clearSubRooms() {
if (!this.subRooms)
return;
for (const room of this.subRooms.values()) {
room.parent = null;
}
this.subRooms = null;
}
setPrivate(privacy) {
this.settings.isPrivate = privacy;
this.saveSettings();
if (privacy) {
for (const user of Object.values(this.users)) {
if (!user.named) {
user.leaveRoom(this.roomid);
user.popup(`The room <<${this.roomid}>> has been made private; you must log in to be in private rooms.`);
}
}
}
if (this.battle || this.bestOf) {
if (privacy) {
if (this.roomid.endsWith("pw"))
return true;
let password = "";
for (let i = 0; i < 31; i++)
password += ALPHABET[crypto.randomInt(0, ALPHABET.length - 1)];
this.rename(this.title, `${this.roomid}-${password}pw`, true);
} else {
if (!this.roomid.endsWith("pw"))
return true;
const lastDashIndex = this.roomid.lastIndexOf("-");
if (lastDashIndex < 0)
throw new Error(`invalid battle ID ${this.roomid}`);
this.rename(this.title, this.roomid.slice(0, lastDashIndex));
}
}
this.bestOf?.setPrivacyOfGames(privacy);
if (this.game) {
for (const player of this.game.players) {
player.getUser()?.updateSearch();
}
}
}
validateSection(section) {
const target = toID(section);
if (!import_room_settings.RoomSections.sections.includes(target)) {
throw new Chat.ErrorMessage(`"${target}" is not a valid room section. Valid categories include: ${import_room_settings.RoomSections.sections.join(", ")}`);
}
return target;
}
setSection(section) {
if (!this.persist) {
throw new Chat.ErrorMessage(`You cannot change the section of temporary rooms.`);
}
if (section) {
const validatedSection = this.validateSection(section);
if (this.settings.isPrivate && [true, "hidden"].includes(this.settings.isPrivate)) {
throw new Chat.ErrorMessage(`Only public rooms can change their section.`);
}
const oldSection = this.settings.section;
if (oldSection === section) {
throw new Chat.ErrorMessage(`${this.title}'s room section is already set to "${import_room_settings.RoomSections.sectionNames[oldSection]}".`);
}
this.settings.section = validatedSection;
this.saveSettings();
return validatedSection;
}
delete this.settings.section;
this.saveSettings();
return void 0;
}
/**
* Displays a warning popup to all non-staff users users in the room.
* Returns a list of all the user IDs that were warned.
*/
warnParticipants(message) {
const warned = Object.values(this.users).filter((u) => !u.can("lock"));
for (const user of warned) {
user.popup(`|modal|${message}`);
}
return warned;
}
/**
* @param newID Add this param if the roomid is different from `toID(newTitle)`
* @param noAlias Set this param to true to not redirect aliases and the room's old name to its new name.
*/
rename(newTitle, newID, noAlias) {
if (!newID)
newID = toID(newTitle);
const oldID = this.roomid;
this.validateTitle(newTitle, newID, oldID);
if (this.type === "chat" && this.game) {
throw new Chat.ErrorMessage(`Please finish your game (${this.game.title}) before renaming ${this.roomid}.`);
}
this.roomid = newID;
this.title = this.settings.title = newTitle;
this.saveSettings();
if (newID === oldID) {
for (const user of Object.values(this.users)) {
user.sendTo(this, `|title|${newTitle}`);
}
return;
}
Rooms.rooms.delete(oldID);
Rooms.rooms.set(newID, this);
if (this.battle && oldID) {
for (const player of this.battle.players) {
if (player.invite) {
const chall = Ladders.challenges.searchByRoom(player.invite, oldID);
if (chall)
chall.roomid = this.roomid;
}
}
}
if (oldID === "lobby") {
Rooms.lobby = null;
} else if (newID === "lobby") {
Rooms.lobby = this;
}
if (!noAlias) {
for (const [alias, roomid] of Rooms.aliases.entries()) {
if (roomid === oldID) {
Rooms.aliases.set(alias, newID);
}
}
Rooms.aliases.set(oldID, newID);
if (!this.settings.aliases)
this.settings.aliases = [];
if (!this.settings.aliases.includes(oldID))
this.settings.aliases.push(oldID);
} else {
for (const [alias, roomid] of Rooms.aliases.entries()) {
if (roomid === oldID) {
Rooms.aliases.delete(alias);
}
}
this.settings.aliases = void 0;
}
this.game?.renameRoom(newID);
for (const user of Object.values(this.users)) {
user.moveConnections(oldID, newID);
user.send(`>${oldID}
|noinit|rename|${newID}|${newTitle}`);
}
if (this.parent?.subRooms) {
this.parent.subRooms.delete(oldID);
this.parent.subRooms.set(newID, this);
}
if (this.subRooms) {
for (const subRoom of this.subRooms.values()) {
subRoom.parent = this;
subRoom.settings.parentid = newID;
}
}
this.saveSettings();
Punishments.renameRoom(oldID, newID);
void this.log.rename(newID);
}
onConnect(user, connection) {
const userList = this.userList ? this.userList : this.getUserList();
this.sendUser(
connection,
"|init|chat\n|title|" + this.title + "\n" + userList + "\n" + this.log.getScrollback() + this.getIntroMessage(user)
);
this.minorActivity?.onConnect?.(user, connection);
this.game?.onConnect?.(user, connection);
}
onJoin(user, connection) {
if (!user)
return false;
if (this.users[user.id])
return false;
Chat.runHandlers("onBeforeRoomJoin", this, user, connection);
if (user.named) {
this.reportJoin("j", user.getIdentityWithStatus(this), user);
}
const staffIntro = this.getStaffIntroMessage(user);
if (staffIntro)
this.sendUser(user, staffIntro);
this.users[user.id] = user;
this.userCount++;
this.checkAutoModchat(user);
this.game?.onJoin?.(user, connection);
Chat.runHandlers("onRoomJoin", this, user, connection);
return true;
}
onRename(user, oldid, joining) {
if (user.id === oldid) {
return this.onUpdateIdentity(user);
}
if (!this.users[oldid]) {
Monitor.crashlog(new Error(`user ${oldid} not in room ${this.roomid}`));
}
if (this.users[user.id]) {
Monitor.crashlog(new Error(`user ${user.id} already in room ${this.roomid}`));
}
delete this.users[oldid];
this.users[user.id] = user;
if (joining) {
this.reportJoin("j", user.getIdentityWithStatus(this), user);
const staffIntro = this.getStaffIntroMessage(user);
if (staffIntro)
this.sendUser(user, staffIntro);
} else if (!user.named) {
this.reportJoin("l", " " + oldid, user);
} else {
this.reportJoin("n", user.getIdentityWithStatus(this) + "|" + oldid, user);
}
this.minorActivity?.onRename?.(user, oldid, joining);
this.checkAutoModchat(user);
return true;
}
/**
* onRename, but without a userid change
*/
onUpdateIdentity(user) {
if (user?.connected) {
if (!this.users[user.id])
return false;
if (user.named) {
this.reportJoin("n", user.getIdentityWithStatus(this) + "|" + user.id, user);
}
}
return true;
}
onLeave(user) {
if (!user)
return false;
if (!(user.id in this.users)) {
Monitor.crashlog(new Error(`user ${user.id} already left`));
return false;
}
delete this.users[user.id];
this.userCount--;
if (user.named) {
this.reportJoin("l", user.getIdentity(this), user);
}
this.game?.onLeave?.(user);
this.runAutoModchat();
return true;
}
runAutoModchat() {
if (!this.settings.autoModchat || this.settings.autoModchat.active)
return;
const staff = Object.values(this.users).filter((u) => this.auth.atLeast(u, "%"));
if (!staff.length) {
const { time } = this.settings.autoModchat;
if (!time || time < 5) {
throw new Error(`Invalid time setting for automodchat (${import_lib.Utils.visualize(this.settings.autoModchat)})`);
}
if (this.modchatTimer)
return;
this.modchatTimer = setTimeout(() => {
if (!this.settings.autoModchat)
return;
const { rank } = this.settings.autoModchat;
const oldSetting = this.settings.modchat;
this.settings.modchat = rank;
this.add(
// always gonna be minutes so we can just use the number directly lol
`|raw|
This room has had no active staff for ${time} minutes, and has had modchat set to ${rank}.
`
).update();
this.modlog({
action: "AUTOMODCHAT ACTIVATE"
});
this.settings.autoModchat.active = oldSetting || true;
this.saveSettings();
this.modchatTimer = null;
}, time * 60 * 1e3);
}
}
checkAutoModchat(user) {
if (user.can("mute", null, this, "modchat")) {
if (this.modchatTimer) {
clearTimeout(this.modchatTimer);
}
if (this.settings.autoModchat?.active) {
const oldSetting = this.settings.autoModchat.active;
if (typeof oldSetting === "string") {
this.settings.modchat = oldSetting;
} else {
delete this.settings.modchat;
}
this.settings.autoModchat.active = false;
this.saveSettings();
}
}
}
destroy() {
if (this.game) {
this.game.destroy();
this.game = null;
this.battle = null;
this.tour = null;
}
for (const i in this.users) {
this.users[i].leaveRoom(this, null);
delete this.users[i];
}
this.setParent(null);
this.clearSubRooms();
Chat.runHandlers("onRoomDestroy", this.roomid);
Rooms.global.deregisterChatRoom(this.roomid);
Rooms.global.delistChatRoom(this.roomid);
if (this.settings.aliases) {
for (const alias of this.settings.aliases) {
Rooms.aliases.delete(alias);
}
}
this.active = false;
this.update();
if (this.muteTimer) {
clearTimeout(this.muteTimer);
this.muteTimer = null;
}
if (this.expireTimer) {
clearTimeout(this.expireTimer);
this.expireTimer = null;
}
if (this.reportJoinsInterval) {
clearInterval(this.reportJoinsInterval);
}
this.reportJoinsInterval = null;
if (this.logUserStatsInterval) {
clearInterval(this.logUserStatsInterval);
}
this.logUserStatsInterval = null;
void this.log.destroy();
Rooms.rooms.delete(this.roomid);
if (this.roomid === "lobby")
Rooms.lobby = null;
}
tr(strings, ...keys) {
return Chat.tr(this.settings.language || "english", strings, ...keys);
}
}
class GlobalRoomState {
constructor() {
this.battlesLoading = false;
this.settingsList = [];
try {
this.settingsList = require((0, import_lib.FS)("config/chatrooms.json").path);
if (!Array.isArray(this.settingsList))
this.settingsList = [];
} catch {
}
if (!this.settingsList.length) {
this.settingsList = [{
title: "Lobby",
auth: {},
creationTime: Date.now(),
autojoin: true,
section: "official"
}, {
title: "Staff",
auth: {},
creationTime: Date.now(),
isPrivate: "hidden",
modjoin: "%",
autojoin: true
}];
}
this.chatRooms = [];
this.autojoinList = [];
this.modjoinedAutojoinList = [];
for (const [i, settings] of this.settingsList.entries()) {
if (!settings?.title) {
Monitor.warn(`ERROR: Room number ${i} has no data and could not be loaded.`);
continue;
}
if (settings.staffAutojoin) {
delete settings.staffAutojoin;
settings.autojoin = true;
if (!settings.modjoin)
settings.modjoin = "%";
if (settings.isPrivate === true)
settings.isPrivate = "hidden";
}
const id = toID(settings.title);
Monitor.notice("RESTORE CHATROOM: " + id);
const room = Rooms.createChatRoom(id, settings.title, settings);
if (room.settings.aliases) {
for (const alias of room.settings.aliases) {
Rooms.aliases.set(alias, id);
}
}
this.chatRooms.push(room);
if (room.settings.autojoin) {
if (room.settings.modjoin) {
this.modjoinedAutojoinList.push(id);
} else {
this.autojoinList.push(id);
}
}
}
Rooms.lobby = Rooms.rooms.get("lobby");
if (Config.logladderip) {
this.ladderIpLog = Monitor.logPath("ladderip/ladderip.txt").createAppendStream();
} else {
this.ladderIpLog = new import_lib.Streams.WriteStream({ write() {
return void 0;
} });
}
this.reportUserStatsInterval = setInterval(
() => this.reportUserStats(),
REPORT_USER_STATS_INTERVAL
);
this.maxUsers = 0;
this.maxUsersDate = 0;
this.lockdown = false;
this.battleCount = 0;
this.lastReportedCrash = 0;
this.formatList = "";
let lastBattle;
try {
lastBattle = Monitor.logPath("lastbattle.txt").readSync("utf8");
} catch {
}
this.lastBattle = Number(lastBattle) || 0;
this.lastWrittenBattle = this.lastBattle;
void this.loadBattles();
}
async serializeBattleRoom(room) {
if (!room.battle || room.battle.ended)
return null;
room.battle.frozen = true;
const log = await room.battle.getLog();
const players = room.battle.players.map((p) => p.id).filter(Boolean);
if (!players.length || !log?.length)
return null;
return {
roomid: room.roomid,
inputLog: log.join("\n"),
players,
title: room.title,
rated: room.battle.rated,
timer: {
...room.battle.timer.settings,
active: !!room.battle.timer.timer || false
}
};
}
deserializeBattleRoom(battle) {
const { inputLog, players, roomid, title, rated, timer } = battle;
const [, formatid] = roomid.split("-");
const room = Rooms.createBattle({
format: formatid,
inputLog,
roomid,
title,
rated: Number(rated),
players: [],
delayedTimer: timer.active
});
if (!room?.battle)
return false;
if (timer) {
Object.assign(room.battle.timer.settings, timer);
}
for (const [i, playerid] of players.entries()) {
room.auth.set(playerid, Users.PLAYER_SYMBOL);
const player = room.battle.players[i];
player.id = playerid;
room.battle.playerTable[playerid] = player;
player.hasTeam = true;
const user = Users.getExact(playerid);
player.name = user?.name || playerid;
user?.joinRoom(room);
}
return true;
}
async saveBattles() {
let count = 0;
const out = Monitor.logPath("battles.jsonl.progress").createAppendStream();
for (const room of Rooms.rooms.values()) {
if (!room.battle || room.battle.ended)
continue;
room.battle.frozen = true;
room.battle.timer.stop();
const b = await this.serializeBattleRoom(room);
if (!b)
continue;
await out.writeLine(JSON.stringify(b));
count++;
}
await out.writeEnd();
await Monitor.logPath("battles.jsonl.progress").rename(Monitor.logPath("battles.jsonl").path);
return count;
}
async loadBattles() {
this.battlesLoading = true;
for (const u of Users.users.values()) {
u.send(
`|pm|~|${u.getIdentity()}|/uhtml restartmsg,
Your battles are currently being restored.
Please be patient as they load.
`
);
}
const startTime = Date.now();
let count = 0;
let input;
try {
const stream = Monitor.logPath("battles.jsonl").createReadStream();
await stream.fd;
input = stream.byLine();
} catch {
return;
}
for await (const line of input) {
if (!line)
continue;
if (this.deserializeBattleRoom(JSON.parse(line)))
count++;
}
for (const u of Users.users.values()) {
u.send(`|pm|~|${u.getIdentity()}|/uhtmlchange restartmsg,`);
}
await Monitor.logPath("battles.jsonl").unlinkIfExists();
Monitor.notice(`Loaded ${count} battles in ${Date.now() - startTime}ms`);
this.battlesLoading = false;
}
rejoinGames(user) {
for (const room of Rooms.rooms.values()) {
const player = room.game && !room.game.ended && room.game.playerTable[user.id];
if (!player)
continue;
if (player.completed)
continue;
user.games.add(room.roomid);
player.name = user.name;
user.joinRoom(room.roomid);
}
}
modlog(entry, overrideID) {
void Rooms.Modlog.write("global", entry, overrideID);
}
writeChatRoomData() {
(0, import_lib.FS)("config/chatrooms.json").writeUpdate(() => JSON.stringify(this.settingsList).replace(/\{"title":/g, '\n{"title":').replace(/\]$/, "\n]"), { throttle: 5e3 });
}
writeNumRooms() {
if (this.lockdown) {
if (this.lastBattle === this.lastWrittenBattle)
return;
this.lastWrittenBattle = this.lastBattle;
} else {
if (this.lastBattle < this.lastWrittenBattle)
return;
this.lastWrittenBattle = this.lastBattle + LAST_BATTLE_WRITE_THROTTLE;
}
Monitor.logPath("lastbattle.txt").writeUpdate(
() => `${this.lastWrittenBattle}`
);
}
reportUserStats() {
if (this.maxUsersDate) {
void LoginServer.request("updateuserstats", {
date: this.maxUsersDate,
users: this.maxUsers
});
this.maxUsersDate = 0;
}
void LoginServer.request("updateuserstats", {
date: Date.now(),
users: Users.onlineCount
});
}
get formatListText() {
if (this.formatList) {
return this.formatList;
}
this.formatList = `|formats${Ladders.formatsListPrefix || ""}`;
let section = "";
let prevSection = "";
let curColumn = 1;
for (const format of Dex.formats.all()) {
if (format.section)
section = format.section;
if (format.column)
curColumn = format.column;
if (!format.name)
continue;
if (!format.challengeShow && !format.searchShow && !format.tournamentShow)
continue;
if (section !== prevSection) {
prevSection = section;
this.formatList += `|,${curColumn}|${section}`;
}
this.formatList += `|${format.name}`;
let displayCode = 0;
if (format.team)
displayCode |= 1;
if (format.searchShow)
displayCode |= 2;
if (format.challengeShow)
displayCode |= 4;
if (format.tournamentShow)
displayCode |= 8;
const ruleTable = Dex.formats.getRuleTable(format);
const level = ruleTable.adjustLevel || ruleTable.adjustLevelDown || ruleTable.maxLevel;
if (level === 50)
displayCode |= 16;
if (format.bestOfDefault)
displayCode |= 64;
if (format.teraPreviewDefault)
displayCode |= 128;
this.formatList += "," + displayCode.toString(16);
}
return this.formatList;
}
get configRankList() {
if (Config.nocustomgrouplist)
return "";
if (Config.rankList) {
return Config.rankList;
}
const rankList = [];
for (const rank in Config.groups) {
if (!Config.groups[rank] || !rank)
continue;
const tarGroup = Config.groups[rank];
const groupType = tarGroup.id === "bot" || !tarGroup.mute && !tarGroup.root ? "normal" : tarGroup.root || tarGroup.declare ? "leadership" : "staff";
rankList.push({
symbol: rank,
name: Config.groups[rank].name || null,
type: groupType
});
}
const typeOrder = ["punishment", "normal", "staff", "leadership"];
import_lib.Utils.sortBy(rankList, (rank) => -typeOrder.indexOf(rank.type));
for (const rank in Config.punishgroups) {
rankList.push({ symbol: Config.punishgroups[rank].symbol, name: Config.punishgroups[rank].name, type: "punishment" });
}
Config.rankList = "|customgroups|" + JSON.stringify(rankList) + "\n";
return Config.rankList;
}
/**
* @param filter formatfilter, elofilter, usernamefilter
*/
getBattles(filter) {
const rooms = [];
const [formatFilter, eloFilterString, usernameFilter] = filter.split(",");
const eloFilter = +eloFilterString;
for (const room of Rooms.rooms.values()) {
if (!room?.active || room.settings.isPrivate)
continue;
if (room.type !== "battle")
continue;
if (formatFilter && formatFilter !== room.format)
continue;
if (eloFilter && (!room.rated || room.rated < eloFilter))
continue;
if (usernameFilter && room.battle) {
const p1userid = room.battle.p1.id;
const p2userid = room.battle.p2.id;
if (!p1userid || !p2userid)
continue;
if (!p1userid.startsWith(usernameFilter) && !p2userid.startsWith(usernameFilter))
continue;
}
rooms.push(room);
}
const roomTable = {};
for (let i = rooms.length - 1; i >= rooms.length - 100 && i >= 0; i--) {
const room = rooms[i];
const roomData = {};
if (room.active && room.battle) {
if (room.battle.p1)
roomData.p1 = room.battle.p1.name;
if (room.battle.p2)
roomData.p2 = room.battle.p2.name;
if (room.tour)
roomData.minElo = "tour";
if (room.rated)
roomData.minElo = Math.floor(room.rated);
}
if (!roomData.p1 || !roomData.p2)
continue;
roomTable[room.roomid] = roomData;
}
return roomTable;
}
getRooms(user) {
const roomsData = {
chat: [],
sectionTitles: Object.values(import_room_settings.RoomSections.sectionNames),
userCount: Users.onlineCount,
battleCount: this.battleCount
};
for (const room of this.chatRooms) {
if (!room)
continue;
if (room.parent)
continue;
if (room.settings.modjoin || room.settings.isPrivate && !["hidden", "voice"].includes(room.settings.isPrivate) || room.settings.isPrivate === "voice" && user.tempGroup === " ")
continue;
const roomData = {
title: room.title,
desc: room.settings.desc || "",
userCount: room.userCount,
section: room.settings.section ? import_room_settings.RoomSections.sectionNames[room.settings.section] || room.settings.section : void 0,
privacy: !room.settings.isPrivate ? void 0 : room.settings.isPrivate
};
const subrooms = room.getSubRooms().map((r) => r.title);
if (subrooms.length)
roomData.subRooms = subrooms;
if (room.settings.spotlight)
roomData.spotlight = room.settings.spotlight;
roomsData.chat.push(roomData);
}
return roomsData;
}
sendAll(message) {
Sockets.roomBroadcast("", message);
}
addChatRoom(title) {
const id = toID(title);
if (["battles", "rooms", "ladder", "teambuilder", "home", "all", "public"].includes(id)) {
return false;
}
if (Rooms.rooms.has(id))
return false;
const settings = {
title,
auth: {},
creationTime: Date.now()
};
const room = Rooms.createChatRoom(id, title, settings);
if (id === "lobby")
Rooms.lobby = room;
this.settingsList.push(settings);
this.chatRooms.push(room);
this.writeChatRoomData();
return true;
}
prepBattleRoom(format) {
const roomPrefix = `battle-${toID(Dex.formats.get(format).name)}-`;
let battleNum = this.lastBattle;
let roomid;
do {
roomid = `${roomPrefix}${++battleNum}`;
} while (Rooms.rooms.has(roomid));
this.lastBattle = battleNum;
this.writeNumRooms();
return roomid;
}
onCreateBattleRoom(players, room, options) {
for (const player of players) {
if (player.statusType === "idle") {
player.setStatusType("online");
}
}
if (Config.reportbattles) {
if (typeof Config.reportbattles === "string") {
Config.reportbattles = [Config.reportbattles];
} else if (Config.reportbattles === true) {
Config.reportbattles = ["lobby"];
}
for (const roomid of Config.reportbattles) {
const reportRoom = Rooms.get(roomid);
if (reportRoom) {
const reportPlayers = players.map((p) => p.getIdentity()).join("|");
reportRoom.add(`|b|${room.roomid}|${reportPlayers}`).update();
}
}
}
if (Config.logladderip && options.rated) {
const ladderIpLogString = players.map((p) => `${p.id}: ${p.latestIp}
`).join("");
void this.ladderIpLog.write(ladderIpLogString);
}
for (const player of players) {
Chat.runHandlers("onBattleStart", player, room);
}
}
deregisterChatRoom(id) {
id = toID(id);
const room = Rooms.get(id);
if (!room)
return false;
if (!room.persist)
return false;
for (let i = this.settingsList.length - 1; i >= 0; i--) {
if (id === toID(this.settingsList[i].title)) {
this.settingsList.splice(i, 1);
this.writeChatRoomData();
break;
}
}
room.persist = false;
return true;
}
delistChatRoom(id) {
id = toID(id);
if (!Rooms.rooms.has(id))
return false;
for (let i = this.chatRooms.length - 1; i >= 0; i--) {
if (id === this.chatRooms[i].roomid) {
this.chatRooms.splice(i, 1);
break;
}
}
}
removeChatRoom(id) {
id = toID(id);
const room = Rooms.get(id);
if (!room)
return false;
room.destroy();
return true;
}
autojoinRooms(user, connection) {
let includesLobby = false;
for (const roomName of this.autojoinList) {
user.joinRoom(roomName, connection);
if (roomName === "lobby")
includesLobby = true;
}
if (!includesLobby && Config.serverid !== "showdown")
user.send(`>lobby
|deinit`);
}
checkAutojoin(user, connection) {
if (!user.named)
return;
for (let [i, roomid] of this.modjoinedAutojoinList.entries()) {
const room = Rooms.get(roomid);
if (!room) {
this.modjoinedAutojoinList.splice(i, 1);
i--;
continue;
}
if (room.checkModjoin(user)) {
user.joinRoom(room.roomid, connection);
}
}
for (const conn of user.connections) {
if (conn.autojoins) {
const autojoins = conn.autojoins.split(",");
for (const roomName of autojoins) {
void user.tryJoinRoom(roomName, conn);
}
conn.autojoins = "";
}
}
}
handleConnect(user, connection) {
connection.send(user.getUpdateuserText() + "\n" + this.configRankList + this.formatListText);
if (Users.users.size > this.maxUsers) {
this.maxUsers = Users.users.size;
this.maxUsersDate = Date.now();
}
}
startLockdown(err = null, slow = false) {
if (this.lockdown && err)
return;
const devRoom = Rooms.get("development");
const stack = err ? import_lib.Utils.escapeHTML(err.stack).split(`
`).slice(0, 2).join(`
`) : ``;
for (const [id, curRoom] of Rooms.rooms) {
if (err) {
if (id === "staff" || id === "development" || !devRoom && id === "lobby") {
curRoom.addRaw(`
The server needs to restart because of a crash: ${stack}
Please restart the server.
`);
curRoom.addRaw(`
You will not be able to start new battles until the server restarts.
`);
curRoom.update();
} else {
curRoom.addRaw(`
The server needs to restart because of a crash.
No new battles can be started until the server is done restarting.
`).update();
}
} else {
curRoom.addRaw(`
The server is restarting soon.
Please finish your battles quickly. No new battles can be started until the server resets in a few minutes.
`).update();
}
const game = curRoom.game;
if (!slow && game?.timer && typeof game.timer.start === "function" && !game.ended) {
game.timer.start();
if (curRoom.settings.modchat !== "+") {
curRoom.settings.modchat = "+";
curRoom.addRaw(`
Moderated chat was set to +!
Only users of rank + and higher can talk.
`).update();
}
}
}
for (const user of Users.users.values()) {
user.send(`|pm|~|${user.tempGroup}${user.name}|/raw
The server is restarting soon.
Please finish your battles quickly. No new battles can be started until the server resets in a few minutes.
`);
}
this.lockdown = true;
this.writeNumRooms();
this.lastReportedCrash = Date.now();
}
automaticKillRequest() {
const notifyPlaces = ["development", "staff", "upperstaff"];
if (Config.autolockdown === void 0)
Config.autolockdown = true;
if (Config.autolockdown && Rooms.global.lockdown === true && Rooms.global.battleCount === 0) {
if (Monitor.updateServerLock) {
this.notifyRooms(
notifyPlaces,
`|html|
Automatic server lockdown kill canceled.
The server tried to automatically kill itself upon the final battle finishing, but the server was updating while trying to kill itself.
`
);
return;
}
this.notifyRooms(
notifyPlaces,
`|html|
The server is about to automatically kill itself in 10 seconds.
`
);
setTimeout(() => {
if (Config.autolockdown && Rooms.global.lockdown === true) {
process.exit();
} else {
this.notifyRooms(
notifyPlaces,
`|html|
Automatic server lockdown kill canceled.
In the last final seconds, the automatic lockdown was manually disabled.
`
);
}
}, 10 * 1e3);
}
}
notifyRooms(rooms, message) {
if (!rooms || !message)
return;
for (const roomid of rooms) {
const curRoom = Rooms.get(roomid);
if (curRoom)
curRoom.add(message).update();
}
}
reportCrash(err, crasher = "The server") {
const time = Date.now();
if (time - this.lastReportedCrash < CRASH_REPORT_THROTTLE) {
return;
}
this.lastReportedCrash = time;
const stack = typeof err === "string" ? err : err?.stack || err?.message || err?.name || "";
const [stackFirst, stackRest] = import_lib.Utils.splitFirst(import_lib.Utils.escapeHTML(stack), `
`);
let fullStack = `
${crasher} crashed: ` + stackFirst;
if (stackRest)
fullStack = `
${fullStack}
${stackRest}`;
let crashMessage = `|html|
${fullStack}
`;
let privateCrashMessage = null;
const upperStaffRoom = Rooms.get("upperstaff");
let hasPrivateTerm = stack.includes("private");
for (const term of Config.privatecrashterms || []) {
if (typeof term === "string" ? stack.includes(term) : term.test(stack)) {
hasPrivateTerm = true;
break;
}
}
if (hasPrivateTerm) {
if (upperStaffRoom) {
privateCrashMessage = crashMessage;
crashMessage = `|html|
`;
} else {
crashMessage = `|html|
${crasher} crashed in private code
`;
}
}
const devRoom = Rooms.get("development");
if (devRoom) {
devRoom.add(crashMessage).update();
} else {
Rooms.lobby?.add(crashMessage).update();
Rooms.get("staff")?.add(crashMessage).update();
}
if (privateCrashMessage) {
upperStaffRoom.add(privateCrashMessage).update();
}
}
/**
* Destroys personal rooms of a (punished) user
* Returns a list of the user's remaining public auth
*/
destroyPersonalRooms(userid) {
const roomauth = [];
for (const [id, curRoom] of Rooms.rooms) {
if (curRoom.settings.isPersonal && curRoom.auth.get(userid) === Users.HOST_SYMBOL) {
curRoom.destroy();
} else {
if (curRoom.settings.isPrivate || curRoom.battle || !curRoom.persist) {
continue;
}
if (curRoom.auth.has(userid)) {
let oldGroup = curRoom.auth.get(userid);
if (oldGroup === " ")
oldGroup = "whitelist in ";
roomauth.push(`${oldGroup}${id}`);
}
}
}
return roomauth;
}
}
class ChatRoom extends BasicRoom {
constructor() {
super(...arguments);
// This is not actually used, this is just a fake class to keep
// TypeScript happy
this.battle = null;
this.active = false;
this.type = "chat";
}
}
class GameRoom extends BasicRoom {
constructor(roomid, title, options) {
options.noLogTimes = true;
options.noAutoTruncate = true;
options.isMultichannel = true;
super(roomid, title, options);
this.reportJoins = !!Config.reportbattlejoins;
this.settings.modchat = Config.battlemodchat || null;
this.type = "battle";
this.format = options.format || "";
this.tour = options.tour || null;
this.setParent(options.parent || this.tour?.room || null);
this.p1 = options.players?.[0]?.user || null;
this.p2 = options.players?.[1]?.user || null;
this.p3 = options.players?.[2]?.user || null;
this.p4 = options.players?.[3]?.user || null;
this.rated = options.rated === true ? 1 : options.rated || 0;
this.battle = null;
this.bestOf = null;
this.game = null;
this.modchatUser = "";
this.active = false;
}
/**
* - logNum = 0 : spectator log (no exact HP)
* - logNum = 1, 2, 3, 4 : player log (exact HP for that player)
* - logNum = -1 : debug log (exact HP for all players)
*/
getLog(channel = 0) {
return this.log.getScrollback(channel);
}
getLogForUser(user) {
if (!(user.id in this.game.playerTable))
return this.getLog();
return this.getLog(this.game.playerTable[user.id].num);
}
update(excludeUser = null) {
if (!this.log.broadcastBuffer.length)
return;
if (this.userCount) {
Sockets.channelBroadcast(this.roomid, `>${this.roomid}
${this.log.broadcastBuffer.join("\n")}`);
}
this.log.broadcastBuffer = [];
this.pokeExpireTimer();
}
pokeExpireTimer() {
if (!this.userCount) {
if (this.expireTimer)
clearTimeout(this.expireTimer);
this.expireTimer = setTimeout(() => this.expire(), TIMEOUT_EMPTY_DEALLOCATE);
} else {
if (this.expireTimer)
clearTimeout(this.expireTimer);
this.expireTimer = setTimeout(() => this.expire(), TIMEOUT_INACTIVE_DEALLOCATE);
}
}
requestModchat(user) {
if (!user) {
this.modchatUser = "";
} else if (!this.modchatUser || this.modchatUser === user.id || this.auth.get(user.id) !== Users.PLAYER_SYMBOL) {
this.modchatUser = user.id;
} else {
return "Modchat can only be changed by the user who turned it on, or by staff";
}
}
onConnect(user, connection) {
this.sendUser(connection, "|init|battle\n|title|" + this.title + "\n" + this.getLogForUser(user));
this.game?.onConnect?.(user, connection);
}
onJoin(user, connection) {
if (!user)
return false;
if (this.users[user.id])
return false;
Chat.runHandlers("onBeforeRoomJoin", this, user, connection);
if (user.named) {
this.reportJoin("j", user.getIdentityWithStatus(this), user);
}
this.users[user.id] = user;
this.userCount++;
this.checkAutoModchat(user);
this.minorActivity?.onConnect?.(user, connection);
this.game?.onJoin?.(user, connection);
Chat.runHandlers("onRoomJoin", this, user, connection);
return true;
}
/**
* Sends this room's replay to the connection to be uploaded to the replay
* server. To be clear, the replay goes:
*
* PS server -> user -> loginserver
*
* NOT: PS server -> loginserver
*
* That's why this function requires a connection. For details, see the top
* comment inside this function.
*/
async uploadReplay(user, connection, options) {
const battle = this.battle;
if (!battle)
return;
const format = Dex.formats.get(this.format, true);
let hideDetails = !format.id.includes("customgame");
if (format.team && battle.ended)
hideDetails = false;
const log = this.getLog(hideDetails ? 0 : -1);
let rating;
if (battle.ended && this.rated)
rating = this.rated;
let { id, password } = this.getReplayData();
const silent = options === "forpunishment" || options === "silent" || options === "auto";
if (silent)
connection = void 0;
const isPrivate = this.settings.isPrivate || this.hideReplay;
const hidden = options === "auto" ? 10 : options === "forpunishment" || this.unlistReplay ? 2 : isPrivate ? 1 : 0;
if (isPrivate && hidden === 10) {
password = import_replays.Replays.generatePassword();
}
if (battle.replaySaved !== true && hidden === 10) {
battle.replaySaved = "auto";
} else {
battle.replaySaved = true;
}
if (import_replays.Replays.db) {
const idWithServer = Config.serverid === "showdown" ? id : `${Config.serverid}-${id}`;
try {
const fullid2 = await import_replays.Replays.add({
id: idWithServer,
log,
players: battle.players.map((p) => p.name),
format: format.name,
rating: rating || null,
private: hidden,
password,
inputlog: battle.inputLog?.join("\n") || null,
uploadtime: Math.trunc(Date.now() / 1e3)
});
const url2 = `https://${Config.routes.replays}/${fullid2}`;
connection?.popup(
`|html|
Your replay has been uploaded! It's available at:
${url2} Copy`
);
} catch (e) {
connection?.popup(`Your replay could not be saved: ${e}`);
throw e;
}
return;
}
const [result] = await LoginServer.request("addreplay", {
id,
log,
players: battle.players.map((p) => p.name).join(","),
format: format.name,
rating,
// will probably do nothing
hidden: hidden === 0 ? "" : hidden,
inputlog: battle.inputLog?.join("\n") || void 0,
password
});
if (result?.errorip) {
connection?.popup(`This server's request IP ${result.errorip} is not a registered server.`);
return;
}
const fullid = result?.replayid;
const url = `https://${Config.routes.replays}/${fullid}`;
connection?.popup(
`|html|
Your replay has been uploaded! It's available at:
${url} Copy`
);
}
getReplayData() {
if (!this.roomid.endsWith("pw"))
return { id: this.roomid.slice(7), password: null };
const end = this.roomid.length - 2;
const lastHyphen = this.roomid.lastIndexOf("-", end);
return { id: this.roomid.slice(7, lastHyphen), password: this.roomid.slice(lastHyphen + 1, end) };
}
}
function getRoom(roomid) {
if (typeof roomid === "string") {
if ((roomid.startsWith("battle-") || roomid.startsWith("game-bestof")) && roomid.endsWith("pw")) {
const room = Rooms.rooms.get(roomid.slice(0, roomid.lastIndexOf("-")));
if (room)
return room;
}
return Rooms.rooms.get(roomid);
}
return roomid;
}
const Rooms = {
Modlog: import_modlog.mainModlog,
/**
* The main roomid:Room table. Please do not hold a reference to a
* room long-term; just store the roomid and grab it from here (with
* the Rooms.get(roomid) accessor) when necessary.
*/
rooms: /* @__PURE__ */ new Map(),
aliases: /* @__PURE__ */ new Map(),
get: getRoom,
search(name) {
return getRoom(name) || getRoom(toID(name)) || getRoom(Rooms.aliases.get(toID(name)));
},
createGameRoom(roomid, title, options) {
if (Rooms.rooms.has(roomid))
throw new Error(`Room ${roomid} already exists`);
Monitor.debug("NEW BATTLE ROOM: " + roomid);
const room = new GameRoom(roomid, title, options);
Rooms.rooms.set(roomid, room);
return room;
},
createChatRoom(roomid, title, options) {
if (Rooms.rooms.has(roomid))
throw new Error(`Room ${roomid} already exists`);
const room = new BasicRoom(roomid, title, options);
Rooms.rooms.set(roomid, room);
return room;
},
/**
* Can return null during lockdown, so make sure to handle that case.
* No need for UI; this function sends popups to users.
*/
createBattle(options) {
const players = options.players.map((player) => player.user);
const format = Dex.formats.get(options.format);
if (players.length > format.playerCount) {
throw new Error(`${players.length} players were provided, but the format is a ${format.playerCount}-player format.`);
}
if (new Set(players).size < players.length) {
throw new Error(`Players can't battle themselves`);
}
for (const user of players) {
Ladders.cancelSearches(user);
}
const isBestOf = Dex.formats.getRuleTable(format).valueRules.get("bestof");
if (Rooms.global.lockdown === "pre" && isBestOf && !options.isBestOfSubBattle) {
for (const user of players) {
user.popup(`The server will be restarting soon. Best-of-${isBestOf} battles cannot be started at this time.`);
}
return null;
}
if (Rooms.global.lockdown === true && !options.isBestOfSubBattle) {
for (const user of players) {
user.popup("The server is restarting. Battles will be available again in a few minutes.");
}
return null;
}
const p1Special = players.length ? players[0].battleSettings.special : void 0;
let mismatch = `"${p1Special}"`;
for (const user of players) {
if (user.battleSettings.special !== p1Special) {
mismatch += ` vs. "${user.battleSettings.special}"`;
}
user.battleSettings.special = void 0;
}
if (mismatch !== `"${p1Special}"`) {
for (const user of players) {
user.popup(`Your special battle settings don't match: ${mismatch}`);
}
return null;
} else if (p1Special) {
options.ratedMessage = p1Special;
}
options.rated = Math.max(+options.rated || 0, 0);
const p1 = players[0];
const p2 = players[1];
const p1name = p1 ? p1.name : "Player 1";
const p2name = p2 ? p2.name : "Player 2";
let roomTitle;
let roomid = options.roomid;
if (format.gameType === "multi") {
roomTitle = `Team ${p1name} vs. Team ${p2name}`;
} else if (format.gameType === "freeforall") {
roomTitle = `${p1name} and friends`;
} else if (isBestOf && !options.isBestOfSubBattle) {
roomTitle = `${p1name} vs. ${p2name}`;
roomid || (roomid = `game-bestof${isBestOf}-${format.id}-${++Rooms.global.lastBattle}`);
} else if (options.title) {
roomTitle = options.title;
} else {
roomTitle = `${p1name} vs. ${p2name}`;
}
roomid || (roomid = Rooms.global.prepBattleRoom(options.format));
options.isPersonal = true;
const room = Rooms.createGameRoom(roomid, roomTitle, options);
let game;
if (options.isBestOfSubBattle || !isBestOf) {
game = new import_room_battle.RoomBattle(room, options);
} else {
game = new import_room_battle_bestof.BestOfGame(room, options);
}
room.game = game;
if (options.isBestOfSubBattle && room.parent) {
room.setPrivate(room.parent.settings.isPrivate || false);
} else {
game.checkPrivacySettings(options);
}
for (const p of players) {
if (p) {
p.joinRoom(room);
Monitor.countBattle(p.latestIp, p.name);
}
}
return room;
},
global: null,
lobby: null,
BasicRoom,
GlobalRoomState,
GameRoom,
ChatRoom: BasicRoom,
RoomGame: import_room_game.RoomGame,
SimpleRoomGame: import_room_game.SimpleRoomGame,
RoomGamePlayer: import_room_game.RoomGamePlayer,
MinorActivity: import_room_minor_activity.MinorActivity,
RETRY_AFTER_LOGIN,
Roomlogs: import_roomlogs.Roomlogs,
RoomBattle: import_room_battle.RoomBattle,
BestOfGame: import_room_battle_bestof.BestOfGame,
RoomBattlePlayer: import_room_battle.RoomBattlePlayer,
RoomBattleTimer: import_room_battle.RoomBattleTimer,
PM: import_room_battle.PM,
Replays: import_replays.Replays
};
//# sourceMappingURL=rooms.js.map