thelounge/src/server.js

786 lines
20 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-01-11 12:33:36 +01:00
const pkg = require("../package.json");
const Client = require("./client");
const ClientManager = require("./clientManager");
const express = require("express");
const fs = require("fs");
const path = require("path");
const io = require("socket.io");
const dns = require("dns");
const Uploader = require("./plugins/uploader");
2018-01-11 12:33:36 +01:00
const Helper = require("./helper");
2018-03-02 19:28:54 +01:00
const colors = require("chalk");
2017-06-11 21:33:04 +02:00
const net = require("net");
const Identification = require("./identification");
const changelog = require("./plugins/changelog");
2019-07-02 18:02:02 +02:00
const inputs = require("./plugins/inputs");
2018-01-05 18:40:34 +01:00
const themes = require("./plugins/packages/themes");
themes.loadLocalThemes();
const packages = require("./plugins/packages/index");
// The order defined the priority: the first available plugin is used
// ALways keep local auth in the end, which should always be enabled.
const authPlugins = [
require("./plugins/auth/ldap"),
require("./plugins/auth/local"),
];
// A random number that will force clients to reload the page if it differs
const serverHash = Math.floor(Date.now() * Math.random());
2018-01-11 12:33:36 +01:00
let manager = null;
module.exports = function() {
log.info(`The Lounge ${colors.green(Helper.getVersion())} \
(Node.js ${colors.green(process.versions.node)} on ${colors.green(process.platform)} ${process.arch})`);
log.info(`Configuration file: ${colors.green(Helper.getConfigPath())}`);
2018-06-06 11:19:51 +02:00
const staticOptions = {
redirect: false,
maxAge: 86400 * 1000,
};
2018-01-11 12:33:36 +01:00
const app = express()
.set("env", "production")
.disable("x-powered-by")
.use(allRequests)
.get("/", indexRequest)
.get("/service-worker.js", forceNoCacheRequest)
.get("/js/bundle.js.map", forceNoCacheRequest)
.get("/css/style.css.map", forceNoCacheRequest)
2018-06-06 11:19:51 +02:00
.use(express.static(path.join(__dirname, "..", "public"), staticOptions))
.use("/storage/", express.static(Helper.getStoragePath(), staticOptions));
if (Helper.config.fileUpload.enable) {
Uploader.router(app);
}
// This route serves *installed themes only*. Local themes are served directly
// from the `public/themes/` folder as static assets, without entering this
// handler. Remember this if you make changes to this function, serving of
// local themes will not get those changes.
2017-06-22 23:09:55 +02:00
app.get("/themes/:theme.css", (req, res) => {
const themeName = req.params.theme;
const theme = themes.getFilename(themeName);
2017-06-22 23:09:55 +02:00
if (theme === undefined) {
return res.status(404).send("Not found");
}
2017-06-22 23:09:55 +02:00
return res.sendFile(theme);
});
2018-01-05 18:40:34 +01:00
app.get("/packages/:package/:filename", (req, res) => {
const packageName = req.params.package;
const fileName = req.params.filename;
const packageFile = packages.getPackage(packageName);
2018-01-05 18:40:34 +01:00
if (!packageFile || !packages.getStylesheets().includes(`${packageName}/${fileName}`)) {
return res.status(404).send("Not found");
}
2018-01-05 18:40:34 +01:00
const packagePath = Helper.getPackageModulePath(packageName);
return res.sendFile(path.join(packagePath, fileName));
});
2018-01-11 12:33:36 +01:00
let server = null;
2014-09-27 01:26:21 +02:00
2018-01-11 12:33:36 +01:00
if (Helper.config.public && (Helper.config.ldap || {}).enable) {
log.warn("Server is public and set to use LDAP. Set to private mode if trying to use LDAP authentication.");
2016-07-30 03:20:38 +02:00
}
2018-01-11 12:33:36 +01:00
if (!Helper.config.https.enable) {
2014-09-27 01:26:21 +02:00
server = require("http");
server = server.createServer(app);
2014-09-27 01:26:21 +02:00
} else {
2018-01-11 12:33:36 +01:00
const keyPath = Helper.expandHome(Helper.config.https.key);
const certPath = Helper.expandHome(Helper.config.https.certificate);
const caPath = Helper.expandHome(Helper.config.https.ca);
2017-04-13 23:05:28 +02:00
if (!keyPath.length || !fs.existsSync(keyPath)) {
log.error("Path to SSL key is invalid. Stopping server...");
process.exit();
}
2017-04-13 23:05:28 +02:00
if (!certPath.length || !fs.existsSync(certPath)) {
log.error("Path to SSL certificate is invalid. Stopping server...");
process.exit();
}
2017-04-13 23:05:28 +02:00
2017-04-10 20:49:58 +02:00
if (caPath.length && !fs.existsSync(caPath)) {
log.error("Path to SSL ca bundle is invalid. Stopping server...");
process.exit();
}
server = require("https");
2014-09-27 01:26:21 +02:00
server = server.createServer({
key: fs.readFileSync(keyPath),
2017-04-10 20:49:58 +02:00
cert: fs.readFileSync(certPath),
ca: caPath ? fs.readFileSync(caPath) : undefined,
}, app);
2014-09-27 01:26:21 +02:00
}
let listenParams;
2018-01-11 12:33:36 +01:00
if (typeof Helper.config.host === "string" && Helper.config.host.startsWith("unix:")) {
listenParams = Helper.config.host.replace(/^unix:/, "");
} else {
listenParams = {
2018-01-11 12:33:36 +01:00
port: Helper.config.port,
host: Helper.config.host,
};
}
2017-09-03 14:13:56 +02:00
server.on("error", (err) => log.error(`${err}`));
server.listen(listenParams, () => {
if (typeof listenParams === "string") {
log.info("Available on socket " + colors.green(listenParams));
} else {
2018-01-11 12:33:36 +01:00
const protocol = Helper.config.https.enable ? "https" : "http";
const address = server.address();
log.info(
"Available at " +
colors.green(`${protocol}://${address.address}:${address.port}/`) +
2018-01-11 12:33:36 +01:00
` in ${colors.bold(Helper.config.public ? "public" : "private")} mode`
);
}
const sockets = io(server, {
wsEngine: "ws",
serveClient: false,
2018-01-11 12:33:36 +01:00
transports: Helper.config.transports,
});
sockets.on("connect", (socket) => {
2019-06-10 12:13:27 +02:00
socket.on("error", (err) => log.error(`io socket error: ${err}`));
2018-01-11 12:33:36 +01:00
if (Helper.config.public) {
performAuthentication.call(socket, {});
} else {
socket.emit("auth", {
serverHash: serverHash,
success: true,
});
socket.on("auth", performAuthentication);
}
});
manager = new ClientManager();
packages.loadPackages();
new Identification((identHandler) => {
manager.init(identHandler, sockets);
});
2017-08-30 19:26:45 +02:00
// Handle ctrl+c and kill gracefully
let suicideTimeout = null;
2017-08-30 19:26:45 +02:00
const exitGracefully = function() {
if (suicideTimeout !== null) {
return;
}
log.info("Exiting...");
// Close all client and IRC connections
manager.clients.forEach((client) => client.quit());
if (Helper.config.prefetchStorage) {
log.info("Clearing prefetch storage folder, this might take a while...");
require("./plugins/storage").emptyDir();
}
2017-08-30 19:26:45 +02:00
// Forcefully exit after 3 seconds
suicideTimeout = setTimeout(() => process.exit(1), 3000);
// Close http server
server.close(() => {
clearTimeout(suicideTimeout);
process.exit(0);
});
};
process.on("SIGINT", exitGracefully);
process.on("SIGTERM", exitGracefully);
// Clear storage folder after server starts successfully
if (Helper.config.prefetchStorage) {
require("./plugins/storage").emptyDir();
}
});
2017-10-06 11:53:08 +02:00
return server;
};
function getClientLanguage(socket) {
const acceptLanguage = socket.handshake.headers["accept-language"];
if (typeof acceptLanguage === "string" && /^[\x00-\x7F]{1,50}$/.test(acceptLanguage)) {
// only allow ASCII strings between 1-50 characters in length
return acceptLanguage;
}
return null;
}
2017-10-12 09:57:25 +02:00
function getClientIp(socket) {
let ip = socket.handshake.address || "127.0.0.1";
2016-07-31 02:54:09 +02:00
2017-06-11 21:33:04 +02:00
if (Helper.config.reverseProxy) {
const forwarded = (socket.handshake.headers["x-forwarded-for"] || "").split(/\s*,\s*/).filter(Boolean);
2017-06-11 21:33:04 +02:00
if (forwarded.length && net.isIP(forwarded[0])) {
ip = forwarded[0];
}
2016-04-03 07:12:49 +02:00
}
2016-07-31 02:54:09 +02:00
return ip.replace(/^::ffff:/, "");
2016-04-03 07:12:49 +02:00
}
function getClientSecure(socket) {
let secure = socket.handshake.secure;
if (Helper.config.reverseProxy && socket.handshake.headers["x-forwarded-proto"] === "https") {
secure = true;
}
return secure;
}
function allRequests(req, res, next) {
res.setHeader("X-Content-Type-Options", "nosniff");
return next();
}
function forceNoCacheRequest(req, res, next) {
// Intermittent proxies must not cache the following requests,
// browsers must fetch the latest version of these files (service worker, source maps)
res.setHeader("Cache-Control", "no-cache, no-transform");
return next();
}
function indexRequest(req, res) {
const policies = [
"default-src 'none'", // default to nothing
"form-action 'self'", // 'self' to fix saving passwords in Firefox, even though login is handled in javascript
"connect-src 'self' ws: wss:", // allow self for polling; websockets
2018-01-30 10:23:34 +01:00
"style-src 'self' https: 'unsafe-inline'", // allow inline due to use in irc hex colors
"script-src 'self'", // javascript
"worker-src 'self'", // service worker
"child-src 'self'", // deprecated fall back for workers, Firefox <58, see #1902
"manifest-src 'self'", // manifest.json
"font-src 'self' https:", // allow loading fonts from secure sites (e.g. google fonts)
"media-src 'self' https:", // self for notification sound; allow https media (audio previews)
];
// If prefetch is enabled, but storage is not, we have to allow mixed content
// - https://user-images.githubusercontent.com is where we currently push our changelog screenshots
// - data: is required for the HTML5 video player
if (Helper.config.prefetchStorage || !Helper.config.prefetch) {
policies.push("img-src 'self' data: https://user-images.githubusercontent.com");
policies.unshift("block-all-mixed-content");
} else {
policies.push("img-src http: https: data:");
}
res.setHeader("Content-Type", "text/html");
res.setHeader("Content-Security-Policy", policies.join("; "));
res.setHeader("Referrer-Policy", "no-referrer");
return fs.readFile(path.join(__dirname, "..", "client", "index.html.tpl"), "utf-8", (err, file) => {
if (err) {
throw err;
}
const config = getServerConfiguration();
config.cacheBust = Helper.getVersionCacheBust();
res.send(_.template(file)(config));
});
}
function initializeClient(socket, client, token, lastMessage) {
2017-08-13 20:37:12 +02:00
socket.emit("authorized");
2016-09-25 08:52:16 +02:00
client.clientAttach(socket.id, token);
if (Helper.config.fileUpload.enable) {
new Uploader(socket);
}
2017-08-13 20:37:12 +02:00
socket.on("disconnect", function() {
process.nextTick(() => client.clientDetach(socket.id));
2017-08-13 20:37:12 +02:00
});
socket.on("input", (data) => {
if (typeof data === "object") {
2017-08-13 20:37:12 +02:00
client.input(data);
}
});
socket.on("more", (data) => {
if (typeof data === "object") {
const history = client.more(data);
if (history !== null) {
socket.emit("more", history);
}
2017-08-13 20:37:12 +02:00
}
});
2017-08-13 20:37:12 +02:00
socket.on("network:new", (data) => {
if (typeof data === "object") {
2017-08-13 20:37:12 +02:00
// prevent people from overriding webirc settings
2017-11-28 18:25:15 +01:00
data.uuid = null;
data.commands = null;
data.ignoreList = null;
2017-08-13 20:37:12 +02:00
client.connect(data);
}
});
2017-08-13 20:37:12 +02:00
socket.on("network:get", (data) => {
if (typeof data !== "string") {
return;
}
const network = _.find(client.networks, {uuid: data});
if (!network) {
return;
}
socket.emit("network:info", getClientConfiguration(network.export()));
});
socket.on("network:edit", (data) => {
if (typeof data !== "object") {
return;
}
const network = _.find(client.networks, {uuid: data.uuid});
if (!network) {
return;
}
network.edit(client, data);
});
2017-08-13 20:37:12 +02:00
if (!Helper.config.public && !Helper.config.ldap.enable) {
socket.on("change-password", (data) => {
if (typeof data === "object") {
2018-01-11 12:33:36 +01:00
const old = data.old_password;
const p1 = data.new_password;
const p2 = data.verify_password;
2017-08-13 20:37:12 +02:00
if (typeof p1 === "undefined" || p1 === "") {
socket.emit("change-password", {
error: "Please enter a new password",
2017-08-13 20:37:12 +02:00
});
return;
}
2017-08-13 20:37:12 +02:00
if (p1 !== p2) {
socket.emit("change-password", {
error: "Both new password fields must match",
2017-08-13 20:37:12 +02:00
});
return;
}
2016-05-31 23:28:31 +02:00
2017-08-13 20:37:12 +02:00
Helper.password
.compare(old || "", client.config.password)
.then((matching) => {
if (!matching) {
socket.emit("change-password", {
error: "The current password field does not match your account password",
2017-08-13 20:37:12 +02:00
});
return;
}
2017-08-13 20:37:12 +02:00
const hash = Helper.password.hash(p1);
2017-08-13 20:37:12 +02:00
client.setPassword(hash, (success) => {
const obj = {};
2017-08-13 20:37:12 +02:00
if (success) {
obj.success = "Successfully updated your password";
} else {
obj.error = "Failed to update your password";
}
2017-08-13 20:37:12 +02:00
socket.emit("change-password", obj);
});
2017-08-13 20:37:12 +02:00
}).catch((error) => {
log.error(`Error while checking users password. Error: ${error}`);
});
}
});
2017-08-13 20:37:12 +02:00
}
socket.on("open", (data) => {
client.open(socket.id, data);
});
socket.on("sort", (data) => {
if (typeof data === "object") {
2017-08-13 20:37:12 +02:00
client.sort(data);
}
});
socket.on("names", (data) => {
if (typeof data === "object") {
2017-08-13 20:37:12 +02:00
client.names(data);
}
});
2017-08-13 20:37:12 +02:00
2019-04-15 18:19:50 +02:00
socket.on("changelog", async () => {
const data = await changelog.fetch();
socket.emit("changelog", data);
Improve UI of the About section and changelog viewer - Keep consistent width between the Help page and Changelog (which is already different from other windows 😠) - Add icons to the About links - Make sure `li` elements (i.e. all the lists in changelogs) are consistent in size with rest of the client - Display version and release notes link on the "About The Lounge" header line, smaller, pushed to the right - Check new releases when opening the Help window in order to display it without having to open the release notes. Release notes are being fed to the Changelog page at that moment to avoid fetching twice. - Re-check version/fetch release notes after 24h. Since The Lounge can now run 24/7, reconnect when losing the network, we have to assume an "always-on" usage. - Change icon, animate background color when getting response from GitHub to avoid flashing. - Combine click handlers with our wonderful window management. These were the same handler, even with similar checks (`target` exists, etc.), just in 2 different places. This is necessary for the next item. - Combine "Open release notes" and "Go back to Help" button behaviors with window management handlers. The window management code is gross as ever, and is in desperate need of a refactor, but at least there is no duplicated code for the same behavior + history management. This fixes the "Next" history behavior (however reloading the app while viewing the notes does not load on the notes, but this is a bug for a different PR!). - Added a rule in the history management thingy: if a link we want to add history handling to has an `id`, store that in the state - Added a button to go back to the Help window - Fixed links to releases - Send user to the GitHub issues *list* instead of *new issue form* because if they do not have a GitHub account, they will be redirected to the login page, which is a rather unpleasant experience when you are already confused... - Fixed a bug that would return data about a new release in `latest` even though it is already the `current`. It was showing the current version as "The Lounge v... is now available". - Added https://user-images.githubusercontent.com to the CSP rule when prefetch storage is enabled, because that is where we have stored screenshots in the changelog so far. Meh (we can improve that later if we decide to have a dedicated place for screenshots). - Fetch changelog info even in public mode because users in public mode can access the release notes. They do not see the result of the version checker however.
2017-12-23 04:40:41 +01:00
});
socket.on("msg:preview:toggle", (data) => {
if (typeof data !== "object") {
return;
}
2017-08-13 20:37:12 +02:00
const networkAndChan = client.find(data.target);
2017-08-13 20:37:12 +02:00
if (!networkAndChan) {
return;
}
const message = networkAndChan.chan.findMessage(data.msgId);
if (!message) {
return;
}
const preview = message.findPreview(data.link);
if (preview) {
preview.shown = data.shown;
}
});
2018-02-20 12:24:46 +01:00
if (!Helper.config.public) {
socket.on("push:register", (subscription) => {
if (!Object.prototype.hasOwnProperty.call(client.config.sessions, token)) {
2018-02-20 12:24:46 +01:00
return;
}
2017-07-10 21:47:03 +02:00
2018-02-20 12:24:46 +01:00
const registration = client.registerPushSubscription(client.config.sessions[token], subscription);
2017-07-10 21:47:03 +02:00
2018-02-20 12:24:46 +01:00
if (registration) {
client.manager.webPush.pushSingle(client, registration, {
type: "notification",
timestamp: Date.now(),
title: "The Lounge",
body: "🚀 Push notifications have been enabled",
});
}
});
2017-07-10 21:47:03 +02:00
2018-02-20 12:24:46 +01:00
socket.on("push:unregister", () => client.unregisterPushSubscription(token));
}
2017-07-10 21:47:03 +02:00
2017-08-15 11:44:29 +02:00
const sendSessionList = () => {
const sessions = _.map(client.config.sessions, (session, sessionToken) => ({
current: sessionToken === token,
active: _.find(client.attachedClients, (u) => u.token === sessionToken) !== undefined,
lastUse: session.lastUse,
ip: session.ip,
agent: session.agent,
token: sessionToken, // TODO: Ideally don't expose actual tokens to the client
}));
socket.emit("sessions:list", sessions);
};
socket.on("sessions:get", sendSessionList);
Offer optional syncing of client settings Write synced settings to localstorage. move settings and webpush init to init.js stub for server sending clientsettings get very basic setting sync working Also update client.config.clientSettings on settings:set Full setting sync with mandatory and excluded sync options Actually check client preferences. Further settings restructuring. Refactor options.js make storage act in a sane manner. Add new parameter to applySetting Do not sync if the setting is stored as a result of syncing General clean up, commenting and restructing. sync from server on checking "sync" offer initial sync Better deal with DOM being ready and instances of inital sync showing Don't try to disable autocompletion when not enabled. Restructure option.js to seperate functions from settings. More consistency in naming options vs settings Switch processSetting and applySetting names reflecting their functionality better. move options init back to configuration. simplify how settings are synced around. move options init after template building. Remove unneeded hasOwnProperty Use global for #theme and only apply theme in applySetting Return when no server side clientsettings excist. Autocompletion options to options.settings Make nocss param in url work again. Actually filter out empty highlight values. Clarify alwaysSync comment. Remove manual step for initial sync change attr to prop in options.js replace unbind with off in autocompletion.js Do not sync settings when the lounge is set to public. fix eslint error Fix merge error Do not show sync warning after page refresh when sync is enabled Move setting sync label in actual label. Improve server setting sync handling performance and failure potential. Don't give impression that the desktop notificiation is off when the browser permission is denied. Refine showing and hiding of notification warnings. rename all setting socket events to singular setting. add experimental note and icon to settingsync. fix css linting error
2017-12-11 20:01:15 +01:00
if (!Helper.config.public) {
socket.on("setting:set", (newSetting) => {
if (!newSetting || typeof newSetting !== "object") {
return;
}
if (typeof newSetting.value === "object" || typeof newSetting.name !== "string" || newSetting.name[0] === "_") {
2019-01-16 09:52:09 +01:00
return;
}
Offer optional syncing of client settings Write synced settings to localstorage. move settings and webpush init to init.js stub for server sending clientsettings get very basic setting sync working Also update client.config.clientSettings on settings:set Full setting sync with mandatory and excluded sync options Actually check client preferences. Further settings restructuring. Refactor options.js make storage act in a sane manner. Add new parameter to applySetting Do not sync if the setting is stored as a result of syncing General clean up, commenting and restructing. sync from server on checking "sync" offer initial sync Better deal with DOM being ready and instances of inital sync showing Don't try to disable autocompletion when not enabled. Restructure option.js to seperate functions from settings. More consistency in naming options vs settings Switch processSetting and applySetting names reflecting their functionality better. move options init back to configuration. simplify how settings are synced around. move options init after template building. Remove unneeded hasOwnProperty Use global for #theme and only apply theme in applySetting Return when no server side clientsettings excist. Autocompletion options to options.settings Make nocss param in url work again. Actually filter out empty highlight values. Clarify alwaysSync comment. Remove manual step for initial sync change attr to prop in options.js replace unbind with off in autocompletion.js Do not sync settings when the lounge is set to public. fix eslint error Fix merge error Do not show sync warning after page refresh when sync is enabled Move setting sync label in actual label. Improve server setting sync handling performance and failure potential. Don't give impression that the desktop notificiation is off when the browser permission is denied. Refine showing and hiding of notification warnings. rename all setting socket events to singular setting. add experimental note and icon to settingsync. fix css linting error
2017-12-11 20:01:15 +01:00
// We do not need to do write operations and emit events if nothing changed.
if (client.config.clientSettings[newSetting.name] !== newSetting.value) {
client.config.clientSettings[newSetting.name] = newSetting.value;
// Pass the setting to all clients.
client.emit("setting:new", {
name: newSetting.name,
value: newSetting.value,
});
client.manager.updateUser(client.name, {
clientSettings: client.config.clientSettings,
});
2019-01-16 10:23:12 +01:00
if (newSetting.name === "highlights") {
client.compileCustomHighlights();
}
Offer optional syncing of client settings Write synced settings to localstorage. move settings and webpush init to init.js stub for server sending clientsettings get very basic setting sync working Also update client.config.clientSettings on settings:set Full setting sync with mandatory and excluded sync options Actually check client preferences. Further settings restructuring. Refactor options.js make storage act in a sane manner. Add new parameter to applySetting Do not sync if the setting is stored as a result of syncing General clean up, commenting and restructing. sync from server on checking "sync" offer initial sync Better deal with DOM being ready and instances of inital sync showing Don't try to disable autocompletion when not enabled. Restructure option.js to seperate functions from settings. More consistency in naming options vs settings Switch processSetting and applySetting names reflecting their functionality better. move options init back to configuration. simplify how settings are synced around. move options init after template building. Remove unneeded hasOwnProperty Use global for #theme and only apply theme in applySetting Return when no server side clientsettings excist. Autocompletion options to options.settings Make nocss param in url work again. Actually filter out empty highlight values. Clarify alwaysSync comment. Remove manual step for initial sync change attr to prop in options.js replace unbind with off in autocompletion.js Do not sync settings when the lounge is set to public. fix eslint error Fix merge error Do not show sync warning after page refresh when sync is enabled Move setting sync label in actual label. Improve server setting sync handling performance and failure potential. Don't give impression that the desktop notificiation is off when the browser permission is denied. Refine showing and hiding of notification warnings. rename all setting socket events to singular setting. add experimental note and icon to settingsync. fix css linting error
2017-12-11 20:01:15 +01:00
}
});
socket.on("setting:get", () => {
if (!Object.prototype.hasOwnProperty.call(client.config, "clientSettings")) {
Offer optional syncing of client settings Write synced settings to localstorage. move settings and webpush init to init.js stub for server sending clientsettings get very basic setting sync working Also update client.config.clientSettings on settings:set Full setting sync with mandatory and excluded sync options Actually check client preferences. Further settings restructuring. Refactor options.js make storage act in a sane manner. Add new parameter to applySetting Do not sync if the setting is stored as a result of syncing General clean up, commenting and restructing. sync from server on checking "sync" offer initial sync Better deal with DOM being ready and instances of inital sync showing Don't try to disable autocompletion when not enabled. Restructure option.js to seperate functions from settings. More consistency in naming options vs settings Switch processSetting and applySetting names reflecting their functionality better. move options init back to configuration. simplify how settings are synced around. move options init after template building. Remove unneeded hasOwnProperty Use global for #theme and only apply theme in applySetting Return when no server side clientsettings excist. Autocompletion options to options.settings Make nocss param in url work again. Actually filter out empty highlight values. Clarify alwaysSync comment. Remove manual step for initial sync change attr to prop in options.js replace unbind with off in autocompletion.js Do not sync settings when the lounge is set to public. fix eslint error Fix merge error Do not show sync warning after page refresh when sync is enabled Move setting sync label in actual label. Improve server setting sync handling performance and failure potential. Don't give impression that the desktop notificiation is off when the browser permission is denied. Refine showing and hiding of notification warnings. rename all setting socket events to singular setting. add experimental note and icon to settingsync. fix css linting error
2017-12-11 20:01:15 +01:00
socket.emit("setting:all", {});
return;
}
const clientSettings = client.config.clientSettings;
socket.emit("setting:all", clientSettings);
});
}
2017-08-15 11:44:29 +02:00
socket.on("sign-out", (tokenToSignOut) => {
// If no token provided, sign same client out
if (!tokenToSignOut) {
tokenToSignOut = token;
}
if (!Object.prototype.hasOwnProperty.call(client.config.sessions, tokenToSignOut)) {
2017-08-15 11:44:29 +02:00
return;
}
delete client.config.sessions[tokenToSignOut];
2017-08-13 20:37:12 +02:00
client.manager.updateUser(client.name, {
sessions: client.config.sessions,
});
2017-08-15 11:44:29 +02:00
_.map(client.attachedClients, (attachedClient, socketId) => {
if (attachedClient.token !== tokenToSignOut) {
return;
}
const socketToRemove = manager.sockets.of("/").connected[socketId];
socketToRemove.emit("sign-out");
socketToRemove.disconnect();
});
// Do not send updated session list if user simply logs out
if (tokenToSignOut !== token) {
sendSessionList();
}
2017-08-13 20:37:12 +02:00
});
socket.join(client.id);
const sendInitEvent = (tokenToSend) => {
socket.emit("init", {
2017-07-10 21:47:03 +02:00
applicationServerKey: manager.webPush.vapidKeys.publicKey,
pushSubscription: client.config.sessions[token],
2017-08-13 20:37:12 +02:00
active: client.lastActiveChannel,
networks: client.networks.map((network) => network.getFilteredClone(client.lastActiveChannel, lastMessage)),
token: tokenToSend,
2017-08-13 20:37:12 +02:00
});
2019-07-02 18:02:02 +02:00
socket.emit("commands", inputs.getCommands());
2017-08-13 20:37:12 +02:00
};
if (!Helper.config.public && token === null) {
2017-08-13 20:37:12 +02:00
client.generateToken((newToken) => {
client.attachedClients[socket.id].token = token = client.calculateTokenHash(newToken);
2017-08-13 20:37:12 +02:00
2017-10-12 09:57:25 +02:00
client.updateSession(token, getClientIp(socket), socket.request);
sendInitEvent(newToken);
});
2017-08-13 20:37:12 +02:00
} else {
sendInitEvent(null);
}
}
function getClientConfiguration(network) {
const config = _.pick(Helper.config, [
"public",
"lockNetwork",
"displayNetwork",
"useHexIp",
"prefetch",
]);
config.fileUpload = Helper.config.fileUpload.enable;
config.ldapEnabled = Helper.config.ldap.enable;
if (config.displayNetwork) {
config.defaults = _.clone(network || Helper.config.defaults);
} else {
// Only send defaults that are visible on the client
config.defaults = _.pick(network || Helper.config.defaults, [
"name",
"nick",
"username",
"password",
"realname",
"join",
]);
}
if (!network) {
config.version = pkg.version;
config.gitCommit = Helper.getGitCommit();
config.themes = themes.getAll();
config.defaultTheme = Helper.config.theme;
config.defaults.nick = Helper.getDefaultNick();
}
if (Uploader) {
config.fileUploadMaxFileSize = Uploader.getMaxFileSize();
}
return config;
}
2018-01-05 18:40:34 +01:00
function getServerConfiguration() {
const config = _.clone(Helper.config);
config.stylesheets = packages.getStylesheets();
return config;
}
2017-08-13 20:37:12 +02:00
function performAuthentication(data) {
2018-08-29 12:55:30 +02:00
if (typeof data !== "object") {
return;
}
const socket = this;
let client;
let token = null;
const finalInit = () => {
initializeClient(socket, client, token, data.lastMessage || -1);
if (!Helper.config.public) {
client.manager.updateUser(client.name, {
browser: client.config.browser,
});
}
};
2017-08-13 20:37:12 +02:00
const initClient = () => {
socket.emit("configuration", getClientConfiguration());
client.config.browser = {
ip: getClientIp(socket),
isSecure: getClientSecure(socket),
language: getClientLanguage(socket),
};
2017-08-13 20:37:12 +02:00
// If webirc is enabled perform reverse dns lookup
if (Helper.config.webirc === null) {
return finalInit();
}
2017-08-13 20:37:12 +02:00
reverseDnsLookup(client.config.browser.ip, (hostname) => {
client.config.browser.hostname = hostname;
2017-08-13 20:37:12 +02:00
finalInit();
});
};
if (Helper.config.public) {
2016-07-30 03:20:38 +02:00
client = new Client(manager);
manager.clients.push(client);
socket.on("disconnect", function() {
manager.clients = _.without(manager.clients, client);
client.quit();
});
initClient();
return;
}
const authCallback = (success) => {
// Authorization failed
if (!success) {
2018-03-17 09:09:59 +01:00
if (!client) {
log.warn(`Authentication for non existing user attempted from ${colors.bold(getClientIp(socket))}`);
} else {
log.warn(`Authentication failed for user ${colors.bold(data.user)} from ${colors.bold(getClientIp(socket))}`);
}
socket.emit("auth", {success: false});
return;
2016-04-03 07:12:49 +02:00
}
2016-07-30 03:20:38 +02:00
// If authorization succeeded but there is no loaded user,
// load it and find the user again (this happens with LDAP)
if (!client) {
2017-10-15 18:05:19 +02:00
client = manager.loadUser(data.user);
2016-07-30 03:20:38 +02:00
}
initClient();
};
2016-07-30 03:20:38 +02:00
client = manager.findClient(data.user);
// We have found an existing user and client has provided a token
if (client && data.token) {
const providedToken = client.calculateTokenHash(data.token);
if (Object.prototype.hasOwnProperty.call(client.config.sessions, providedToken)) {
token = providedToken;
client.updateSession(providedToken, getClientIp(socket), socket.request);
return authCallback(true);
}
}
// Perform password checking
let auth = () => {
log.error("None of the auth plugins is enabled");
};
for (let i = 0; i < authPlugins.length; ++i) {
if (authPlugins[i].isEnabled()) {
auth = authPlugins[i].auth;
break;
}
}
auth(manager, client, data.user, data.password, authCallback);
}
2017-08-13 20:37:12 +02:00
function reverseDnsLookup(ip, callback) {
dns.reverse(ip, (reverseErr, hostnames) => {
if (reverseErr || hostnames.length < 1) {
return callback(ip);
2017-08-13 20:37:12 +02:00
}
dns.resolve(hostnames[0], net.isIP(ip) === 6 ? "AAAA" : "A", (resolveErr, resolvedIps) => {
if (resolveErr || resolvedIps.length < 1) {
return callback(ip);
}
for (const resolvedIp of resolvedIps) {
if (ip === resolvedIp) {
return callback(hostnames[0]);
}
}
return callback(ip);
});
2017-08-13 20:37:12 +02:00
});
}