thelounge/src/client.js

625 lines
14 KiB
JavaScript
Raw Normal View History

"use strict";
2018-01-11 12:33:36 +01:00
const _ = require("lodash");
2018-06-15 22:31:06 +02:00
const log = require("./log");
2018-03-02 19:28:54 +01:00
const colors = require("chalk");
2018-01-11 12:33:36 +01:00
const Chan = require("./models/chan");
const crypto = require("crypto");
const Msg = require("./models/msg");
const Network = require("./models/network");
const Helper = require("./helper");
const UAParser = require("ua-parser-js");
2018-04-10 15:15:44 +02:00
const uuidv4 = require("uuid/v4");
2014-09-13 23:29:45 +02:00
const MessageStorage = require("./plugins/messageStorage/sqlite");
const TextFileMessageStorage = require("./plugins/messageStorage/text");
2014-09-13 23:29:45 +02:00
module.exports = Client;
2018-01-11 12:33:36 +01:00
const events = [
"away",
"connection",
"unhandled",
2017-04-22 14:51:21 +02:00
"banlist",
2014-09-13 23:29:45 +02:00
"ctcp",
2017-09-19 17:22:50 +02:00
"chghost",
2014-09-13 23:29:45 +02:00
"error",
2016-02-12 12:24:13 +01:00
"invite",
2014-09-13 23:29:45 +02:00
"join",
"kick",
"mode",
"motd",
"message",
"names",
"nick",
"part",
"quit",
"topic",
"welcome",
"list",
"whois",
2014-09-13 23:29:45 +02:00
];
2018-01-11 12:33:36 +01:00
const inputs = [
2017-04-24 12:40:53 +02:00
"ban",
"ctcp",
2016-03-06 10:24:56 +01:00
"msg",
"part",
"rejoin",
2014-09-13 23:29:45 +02:00
"action",
2016-11-19 09:24:39 +01:00
"away",
2014-09-13 23:29:45 +02:00
"connect",
2016-04-14 10:56:02 +02:00
"disconnect",
"ignore",
2014-09-13 23:29:45 +02:00
"invite",
"kick",
"mode",
"nick",
2014-09-13 23:29:45 +02:00
"notice",
"query",
2014-09-13 23:29:45 +02:00
"quit",
"raw",
"topic",
2016-05-29 04:07:34 +02:00
"list",
"whois",
].reduce(function(plugins, name) {
2018-01-11 12:33:36 +01:00
const plugin = require(`./plugins/inputs/${name}`);
plugin.commands.forEach((command) => plugins[command] = plugin);
return plugins;
}, {});
2014-09-13 23:29:45 +02:00
function Client(manager, name, config = {}) {
2014-09-13 23:29:45 +02:00
_.merge(this, {
awayMessage: config.awayMessage || "",
lastActiveChannel: -1,
attachedClients: {},
2014-09-13 23:29:45 +02:00
config: config,
2018-04-10 15:15:44 +02:00
id: uuidv4(),
idChan: 1,
idMsg: 1,
2014-09-16 21:47:01 +02:00
name: name,
2014-09-13 23:29:45 +02:00
networks: [],
sockets: manager.sockets,
manager: manager,
messageStorage: [],
2014-09-13 23:29:45 +02:00
});
2016-05-31 23:28:31 +02:00
2018-01-11 12:33:36 +01:00
const client = this;
let delay = 0;
2017-11-28 18:56:53 +01:00
if (!Helper.config.public && client.config.log) {
if (Helper.config.messageStorage.includes("sqlite")) {
client.messageStorage.push(new MessageStorage(client));
}
if (Helper.config.messageStorage.includes("text")) {
client.messageStorage.push(new TextFileMessageStorage(client));
}
2017-11-28 18:56:53 +01:00
for (const messageStorage of client.messageStorage) {
messageStorage.enable();
2017-11-28 18:56:53 +01:00
}
}
(client.config.networks || []).forEach((n) => {
setTimeout(function() {
client.connect(n);
}, delay);
delay += 1000;
});
2016-04-16 13:32:38 +02:00
if (typeof client.config.sessions !== "object") {
client.config.sessions = {};
}
2017-07-10 21:47:03 +02:00
_.forOwn(client.config.sessions, (session) => {
if (session.pushSubscription) {
this.registerPushSubscription(session, session.pushSubscription, true);
}
});
if (client.name) {
log.info(`User ${colors.bold(client.name)} loaded`);
}
2014-09-13 23:29:45 +02:00
}
Client.prototype.createChannel = function(attr) {
const chan = new Chan(attr);
chan.id = this.idChan++;
return chan;
};
2014-09-13 23:29:45 +02:00
Client.prototype.emit = function(event, data) {
if (this.sockets !== null) {
this.sockets.in(this.id).emit(event, data);
}
2014-09-13 19:18:42 +02:00
};
2014-09-13 23:29:45 +02:00
2016-10-09 10:54:44 +02:00
Client.prototype.find = function(channelId) {
2018-01-11 12:33:36 +01:00
let network = null;
let chan = null;
2018-01-11 12:33:36 +01:00
for (const i in this.networks) {
const n = this.networks[i];
2016-10-09 10:54:44 +02:00
chan = _.find(n.channels, {id: channelId});
2014-09-13 23:29:45 +02:00
if (chan) {
network = n;
break;
}
}
2014-09-13 23:29:45 +02:00
if (network && chan) {
return {network, chan};
2014-09-13 23:29:45 +02:00
}
2016-10-09 10:54:44 +02:00
return false;
2014-09-13 23:29:45 +02:00
};
Client.prototype.connect = function(args) {
2018-01-11 12:33:36 +01:00
const client = this;
let channels = [];
// Get channel id for lobby before creating other channels for nicer ids
const lobbyChannelId = client.idChan++;
2016-06-19 19:12:42 +02:00
if (args.channels) {
2018-01-11 12:33:36 +01:00
let badName = false;
2016-06-19 19:12:42 +02:00
args.channels.forEach((chan) => {
2016-06-19 19:12:42 +02:00
if (!chan.name) {
badName = true;
return;
}
channels.push(client.createChannel({
2017-04-01 10:33:17 +02:00
name: chan.name,
key: chan.key || "",
2018-01-30 17:46:34 +01:00
type: chan.type,
}));
});
2016-06-19 19:12:42 +02:00
if (badName && client.name) {
log.warn("User '" + client.name + "' on network '" + args.name + "' has an invalid channel which has been ignored");
}
// `join` is kept for backwards compatibility when updating from versions <2.0
// also used by the "connect" window
} else if (args.join) {
channels = args.join
2016-10-09 10:54:44 +02:00
.replace(/,/g, " ")
2016-06-19 19:12:42 +02:00
.split(/\s+/g)
.map((chan) => {
if (!chan.match(/^[#&!+]/)) {
chan = `#${chan}`;
}
return client.createChannel({
name: chan,
2016-06-19 19:12:42 +02:00
});
});
}
2018-01-11 12:33:36 +01:00
const network = new Network({
2017-11-28 18:25:15 +01:00
uuid: args.uuid,
name: String(args.name || (Helper.config.displayNetwork ? "" : Helper.config.defaults.name) || ""),
host: String(args.host || ""),
port: parseInt(args.port, 10),
tls: !!args.tls,
userDisconnected: !!args.userDisconnected,
2018-03-05 19:11:41 +01:00
rejectUnauthorized: !!args.rejectUnauthorized,
password: String(args.password || ""),
nick: String(args.nick || ""),
username: String(args.username || ""),
realname: String(args.realname || ""),
commands: args.commands || [],
ip: args.ip || (client.config && client.config.ip) || client.ip,
hostname: args.hostname || (client.config && client.config.hostname) || client.hostname,
channels: channels,
ignoreList: args.ignoreList ? args.ignoreList : [],
});
// Set network lobby channel id
network.channels[0].id = lobbyChannelId;
client.networks.push(network);
client.emit("network", {
networks: [network.getFilteredClone(this.lastActiveChannel, -1)],
});
if (!network.validate(client)) {
2016-02-21 13:02:35 +01:00
return;
}
network.createIrcFramework(client);
events.forEach((plugin) => {
2018-01-11 12:33:36 +01:00
require(`./plugins/irc-events/${plugin}`).apply(client, [
network.irc,
network,
]);
});
if (network.userDisconnected) {
network.channels[0].pushMessage(client, new Msg({
text: "You have manually disconnected from this network before, use /connect command to connect again.",
}), true);
} else {
network.irc.connect();
}
client.save();
2017-11-28 18:56:53 +01:00
channels.forEach((channel) => channel.loadMessages(client, network));
2014-09-13 23:29:45 +02:00
};
Client.prototype.generateToken = function(callback) {
crypto.randomBytes(64, (err, buf) => {
2016-10-09 10:54:44 +02:00
if (err) {
throw err;
}
callback(buf.toString("hex"));
2016-05-31 23:28:31 +02:00
});
};
Client.prototype.calculateTokenHash = function(token) {
return crypto.createHash("sha512").update(token).digest("hex");
};
Client.prototype.updateSession = function(token, ip, request) {
const client = this;
const agent = UAParser(request.headers["user-agent"] || "");
let friendlyAgent = "";
2017-08-13 20:37:12 +02:00
if (agent.browser.name) {
friendlyAgent = `${agent.browser.name} ${agent.browser.major}`;
} else {
friendlyAgent = "Unknown browser";
}
2017-08-13 20:37:12 +02:00
if (agent.os.name) {
friendlyAgent += ` on ${agent.os.name}`;
if (agent.os.version) {
friendlyAgent += ` ${agent.os.version}`;
}
}
client.config.sessions[token] = _.assign(client.config.sessions[token], {
lastUse: Date.now(),
ip: ip,
agent: friendlyAgent,
});
client.manager.updateUser(client.name, {
sessions: client.config.sessions,
});
};
2016-05-31 23:28:31 +02:00
Client.prototype.setPassword = function(hash, callback) {
2018-01-11 12:33:36 +01:00
const client = this;
2016-05-31 23:28:31 +02:00
client.manager.updateUser(client.name, {
password: hash,
}, function(err) {
if (err) {
return callback(false);
}
2016-05-31 23:28:31 +02:00
client.config.password = hash;
return callback(true);
2016-05-31 23:28:31 +02:00
});
};
2014-09-13 23:29:45 +02:00
Client.prototype.input = function(data) {
2018-01-11 12:33:36 +01:00
const client = this;
data.text.split("\n").forEach((line) => {
data.text = line;
client.inputLine(data);
});
};
Client.prototype.inputLine = function(data) {
2018-01-11 12:33:36 +01:00
const client = this;
const target = client.find(data.target);
if (!target) {
return;
}
// Sending a message to a channel is higher priority than merely opening one
// so that reloading the page will open this channel
this.lastActiveChannel = target.chan.id;
2016-03-06 10:24:56 +01:00
2018-01-11 12:33:36 +01:00
let text = data.text;
2016-03-06 10:24:56 +01:00
// This is either a normal message or a command escaped with a leading '/'
if (text.charAt(0) !== "/" || text.charAt(1) === "/") {
if (target.chan.type === Chan.Type.LOBBY) {
target.chan.pushMessage(this, new Msg({
type: Msg.Type.ERROR,
text: "Messages can not be sent to lobbies.",
}));
return;
}
2016-03-06 10:24:56 +01:00
text = "say " + text.replace(/^\//, "");
} else {
text = text.substr(1);
2014-09-13 23:29:45 +02:00
}
2016-03-06 10:24:56 +01:00
2018-01-11 12:33:36 +01:00
const args = text.split(" ");
const cmd = args.shift().toLowerCase();
2016-03-06 10:24:56 +01:00
2018-01-11 12:33:36 +01:00
const irc = target.network.irc;
let connected = irc && irc.connection && irc.connection.connected;
if (inputs.hasOwnProperty(cmd) && typeof inputs[cmd].input === "function") {
2018-01-11 12:33:36 +01:00
const plugin = inputs[cmd];
if (connected || plugin.allowDisconnected) {
connected = true;
plugin.input.apply(client, [target.network, target.chan, cmd, args]);
}
} else if (connected) {
irc.raw(text);
}
if (!connected) {
target.chan.pushMessage(this, new Msg({
type: Msg.Type.ERROR,
text: "You are not connected to the IRC network, unable to send your command.",
}));
2016-03-06 10:24:56 +01:00
}
2014-09-13 23:29:45 +02:00
};
Client.prototype.more = function(data) {
const client = this;
const target = client.find(data.target);
2014-09-13 23:29:45 +02:00
if (!target) {
return null;
2014-09-13 23:29:45 +02:00
}
const chan = target.chan;
let messages = [];
let index = 0;
// If client requests -1, send last 100 messages
if (data.lastId < 0) {
index = chan.messages.length;
} else {
index = chan.messages.findIndex((val) => val.id === data.lastId);
}
// If requested id is not found, an empty array will be sent
if (index > 0) {
messages = chan.messages.slice(Math.max(0, index - 100), index);
}
return {
2014-09-13 23:29:45 +02:00
chan: chan.id,
messages: messages,
};
2014-09-13 23:29:45 +02:00
};
Client.prototype.open = function(socketId, target) {
// Opening a window like settings
if (target === null) {
2017-07-10 21:47:03 +02:00
this.attachedClients[socketId].openChannel = -1;
return;
}
target = this.find(target);
if (!target) {
return;
}
target.chan.firstUnread = 0;
target.chan.unread = 0;
2017-09-03 17:57:07 +02:00
target.chan.highlight = 0;
2017-07-10 21:47:03 +02:00
this.attachedClients[socketId].openChannel = target.chan.id;
this.lastActiveChannel = target.chan.id;
this.emit("open", target.chan.id);
};
2014-09-24 21:42:36 +02:00
Client.prototype.sort = function(data) {
const order = data.order;
2014-09-24 21:42:36 +02:00
if (!_.isArray(order)) {
return;
}
2014-09-24 21:42:36 +02:00
switch (data.type) {
2014-09-24 21:42:36 +02:00
case "networks":
this.networks.sort((a, b) => order.indexOf(a.uuid) - order.indexOf(b.uuid));
// Sync order to connected clients
this.emit("sync_sort", {
order: this.networks.map((obj) => obj.uuid),
type: data.type,
});
2014-09-24 21:42:36 +02:00
break;
2018-01-11 12:33:36 +01:00
case "channels": {
const network = _.find(this.networks, {uuid: data.target});
2014-09-24 21:42:36 +02:00
if (!network) {
return;
}
network.channels.sort((a, b) => {
// Always sort lobby to the top regardless of what the client has sent
// Because there's a lot of code that presumes channels[0] is the lobby
if (a.type === Chan.Type.LOBBY) {
return -1;
} else if (b.type === Chan.Type.LOBBY) {
return 1;
}
return order.indexOf(a.id) - order.indexOf(b.id);
});
// Sync order to connected clients
this.emit("sync_sort", {
order: network.channels.map((obj) => obj.id),
type: data.type,
target: network.uuid,
});
2014-09-24 21:42:36 +02:00
break;
}
2018-01-11 12:33:36 +01:00
}
this.save();
2014-09-24 21:42:36 +02:00
};
Client.prototype.names = function(data) {
2018-01-11 12:33:36 +01:00
const client = this;
const target = client.find(data.target);
if (!target) {
return;
}
client.emit("names", {
id: target.chan.id,
2017-11-16 21:32:03 +01:00
users: target.chan.getSortedUsers(target.network.irc),
});
};
2017-08-30 19:26:45 +02:00
Client.prototype.quit = function(signOut) {
const sockets = this.sockets.sockets;
const room = sockets.adapter.rooms[this.id];
if (room && room.sockets) {
for (const user in room.sockets) {
const socket = sockets.connected[user];
if (socket) {
2017-08-30 19:26:45 +02:00
if (signOut) {
socket.emit("sign-out");
}
socket.disconnect();
}
2014-09-29 17:49:38 +02:00
}
}
this.networks.forEach((network) => {
if (network.irc) {
2017-08-18 21:04:16 +02:00
network.irc.quit(Helper.config.leaveMessage);
}
network.destroy();
2014-09-13 23:29:45 +02:00
});
for (const messageStorage of this.messageStorage) {
messageStorage.close();
}
2014-09-13 19:18:42 +02:00
};
2014-10-11 22:44:56 +02:00
2017-07-10 21:47:03 +02:00
Client.prototype.clientAttach = function(socketId, token) {
2018-01-11 12:33:36 +01:00
const client = this;
let save = false;
if (client.awayMessage && _.size(client.attachedClients) === 0) {
client.networks.forEach(function(network) {
// Only remove away on client attachment if
// there is no away message on this network
if (network.irc && !network.awayMessage) {
network.irc.raw("AWAY");
}
});
}
const openChannel = client.lastActiveChannel;
client.attachedClients[socketId] = {token, openChannel};
// Update old networks to store ip and hostmask
client.networks.forEach((network) => {
if (!network.ip) {
save = true;
network.ip = (client.config && client.config.ip) || client.ip;
}
if (!network.hostname) {
2018-01-11 12:33:36 +01:00
const hostmask = (client.config && client.config.hostname) || client.hostname;
if (hostmask) {
save = true;
network.hostmask = hostmask;
}
}
});
if (save) {
client.save();
}
};
Client.prototype.clientDetach = function(socketId) {
const client = this;
delete this.attachedClients[socketId];
if (client.awayMessage && _.size(client.attachedClients) === 0) {
client.networks.forEach(function(network) {
// Only set away on client deattachment if
// there is no away message on this network
if (network.irc && !network.awayMessage) {
network.irc.raw("AWAY", client.awayMessage);
}
});
}
};
2017-07-10 21:47:03 +02:00
Client.prototype.registerPushSubscription = function(session, subscription, noSave) {
if (!_.isPlainObject(subscription) || !_.isPlainObject(subscription.keys)
|| typeof subscription.endpoint !== "string" || !/^https?:\/\//.test(subscription.endpoint)
|| typeof subscription.keys.p256dh !== "string" || typeof subscription.keys.auth !== "string") {
session.pushSubscription = null;
return;
}
const data = {
endpoint: subscription.endpoint,
keys: {
p256dh: subscription.keys.p256dh,
auth: subscription.keys.auth,
},
2017-07-10 21:47:03 +02:00
};
session.pushSubscription = data;
if (!noSave) {
this.manager.updateUser(this.name, {
sessions: this.config.sessions,
2017-07-10 21:47:03 +02:00
});
}
return data;
};
Client.prototype.unregisterPushSubscription = function(token) {
this.config.sessions[token].pushSubscription = null;
this.manager.updateUser(this.name, {
sessions: this.config.sessions,
2017-07-10 21:47:03 +02:00
});
};
2016-11-19 22:00:54 +01:00
Client.prototype.save = _.debounce(function SaveClient() {
if (Helper.config.public) {
2014-10-12 07:15:03 +02:00
return;
}
2014-11-09 17:01:22 +01:00
2016-11-19 22:00:54 +01:00
const client = this;
const json = {};
json.networks = this.networks.map((n) => n.export());
client.manager.updateUser(client.name, json);
2016-11-19 22:00:54 +01:00
}, 1000, {maxWait: 10000});