index.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452
  1. import "./loadEnvVariables.js";
  2. import util from "util";
  3. import config from "config";
  4. import fs from "fs";
  5. import * as readline from "node:readline";
  6. import packageJson from "./package.json" assert { type: "json" };
  7. const REQUIRED_CONFIG_VERSION = 12;
  8. // eslint-disable-next-line
  9. Array.prototype.remove = function (item) {
  10. this.splice(this.indexOf(item), 1);
  11. };
  12. process.on("uncaughtException", err => {
  13. if (err.code === "ECONNREFUSED" || err.code === "UNCERTAIN_STATE") return;
  14. console.log(`UNCAUGHT EXCEPTION: ${err.stack}`);
  15. });
  16. const blacklistedConsoleLogs = [];
  17. const oldConsole = {};
  18. oldConsole.log = console.log;
  19. console.log = (...args) => {
  20. const string = util.format.apply(null, args);
  21. let blacklisted = false;
  22. blacklistedConsoleLogs.forEach(blacklistedConsoleLog => {
  23. if (string.indexOf(blacklistedConsoleLog) !== -1) blacklisted = true;
  24. });
  25. if (!blacklisted) oldConsole.log.apply(null, args);
  26. };
  27. const MUSARE_VERSION = packageJson.version;
  28. const printVersion = () => {
  29. console.log(`Musare version: ${MUSARE_VERSION}.`);
  30. try {
  31. let gitFolder = null;
  32. if (fs.existsSync("../.git/HEAD")) gitFolder = "../.git";
  33. else if (fs.existsSync(".git/HEAD")) gitFolder = ".git";
  34. if (gitFolder) {
  35. const headContents = fs.readFileSync(`${gitFolder}/HEAD`).toString().replaceAll("\n", "");
  36. const [, branch] = /ref: refs\/heads\/([A-Za-z0-9_.-]+)/.exec(headContents);
  37. const configContents = fs.readFileSync(`${gitFolder}/config`).toString().replaceAll("\t", "").split("\n");
  38. const [, remote] = /remote = (.+)/.exec(configContents[configContents.indexOf(`[branch "${branch}"]`) + 1]);
  39. const [, remoteUrl] = /url = (.+)/.exec(configContents[configContents.indexOf(`[remote "${remote}"]`) + 1]);
  40. const latestCommit = fs.readFileSync(`${gitFolder}/refs/heads/${branch}`).toString().replaceAll("\n", "");
  41. const latestCommitShort = latestCommit.substr(0, 7);
  42. console.log(
  43. `Git branch: ${remote}/${branch}. Remote url: ${remoteUrl}. Latest commit: ${latestCommit} (${latestCommitShort}).`
  44. );
  45. } else console.log("Could not find .git folder.");
  46. } catch (e) {
  47. console.log(`Could not get Git info: ${e.message}.`);
  48. }
  49. };
  50. printVersion();
  51. if (config.get("configVersion") !== REQUIRED_CONFIG_VERSION && !config.get("skipConfigVersionCheck")) {
  52. console.log(
  53. "CONFIG VERSION IS WRONG. PLEASE UPDATE YOUR CONFIG WITH THE HELP OF THE TEMPLATE FILE AND THE README FILE."
  54. );
  55. process.exit();
  56. }
  57. if (config.debug && config.debug.traceUnhandledPromises === true) {
  58. console.log("Enabled trace-unhandled/register");
  59. // eslint-disable-next-line import/no-extraneous-dependencies
  60. import("trace-unhandled/register");
  61. }
  62. class JobManager {
  63. // eslint-disable-next-line require-jsdoc
  64. constructor() {
  65. this.jobs = {};
  66. }
  67. /**
  68. * Adds a job to the list of jobs
  69. * @param {object} job - the job object
  70. */
  71. addJob(job) {
  72. if (!this.jobs[job.module.name]) this.jobs[job.module.name] = {};
  73. this.jobs[job.module.name][job.toString()] = job;
  74. }
  75. /**
  76. * Removes a job from the list of running jobs (after it's completed)
  77. * @param {object} job - the job object
  78. */
  79. removeJob(job) {
  80. if (!this.jobs[job.module.name]) this.jobs[job.module.name] = {};
  81. delete this.jobs[job.module.name][job.toString()];
  82. }
  83. /**
  84. * Returns detail about a job via a identifier
  85. * @param {string} uuid - the job identifier
  86. * @returns {object} - the job object
  87. */
  88. getJob(uuid) {
  89. let job = null;
  90. Object.keys(this.jobs).forEach(moduleName => {
  91. if (this.jobs[moduleName][uuid]) job = this.jobs[moduleName][uuid];
  92. });
  93. return job;
  94. }
  95. }
  96. class ModuleManager {
  97. // eslint-disable-next-line require-jsdoc
  98. constructor() {
  99. this.modules = {};
  100. this.modulesNotInitialized = [];
  101. this.jobManager = new JobManager();
  102. this.i = 0;
  103. this.lockdown = false;
  104. this.debugLogs = {
  105. stationIssue: []
  106. };
  107. this.debugJobs = {
  108. all: [],
  109. completed: []
  110. };
  111. this.name = "MODULE_MANAGER";
  112. }
  113. /**
  114. * Adds a new module to the backend server/module manager
  115. * @param {string} moduleName - the name of the module (also needs to be the same as the filename of a module located in the logic folder or "logic/moduleName/index.js")
  116. */
  117. async addModule(moduleName) {
  118. this.log("INFO", "Adding module", moduleName);
  119. this.modules[moduleName] = import(`./logic/${moduleName}`);
  120. }
  121. /**
  122. * Initialises a new module to the backend server/module manager
  123. *
  124. */
  125. async initialize() {
  126. this.reservedLines = Object.keys(this.modules).length + 5;
  127. await Promise.all(Object.values(this.modules)).then(modules => {
  128. for (let module = 0; module < modules.length; module += 1) {
  129. this.modules[modules[module].default.name] = modules[module].default;
  130. this.modulesNotInitialized.push(modules[module].default);
  131. }
  132. }); // ensures all modules are imported, then converts promise to the default export of the import
  133. Object.keys(this.modules).every(moduleKey => {
  134. const module = this.modules[moduleKey];
  135. module.setModuleManager(this);
  136. if (this.lockdown) return false;
  137. module._initialize();
  138. return true;
  139. });
  140. }
  141. /**
  142. * Called when a module is initialised
  143. * @param {object} module - the module object/class
  144. */
  145. onInitialize(module) {
  146. if (this.modulesNotInitialized.indexOf(module) !== -1) {
  147. this.modulesNotInitialized.splice(this.modulesNotInitialized.indexOf(module), 1);
  148. this.log(
  149. "INFO",
  150. `Initialized: ${Object.keys(this.modules).length - this.modulesNotInitialized.length}/${
  151. Object.keys(this.modules).length
  152. }.`
  153. );
  154. if (this.modulesNotInitialized.length === 0) this.onAllModulesInitialized();
  155. }
  156. }
  157. /**
  158. * Called when a module fails to initialise
  159. * @param {object} module - the module object/class
  160. */
  161. onFail(module) {
  162. if (this.modulesNotInitialized.indexOf(module) !== -1) {
  163. this.log("ERROR", "A module failed to initialize!");
  164. }
  165. }
  166. /**
  167. * Called when every module has initialised
  168. *
  169. */
  170. onAllModulesInitialized() {
  171. this.log("INFO", "All modules initialized!");
  172. }
  173. /**
  174. * Creates a new log message
  175. * @param {...any} args - anything to be included in the log message, the first argument is the type of log
  176. */
  177. log(...args) {
  178. const _arguments = Array.from(args);
  179. const type = _arguments[0];
  180. _arguments.splice(0, 1);
  181. const start = `|${this.name.toUpperCase()}|`;
  182. const numberOfSpacesNeeded = 20 - start.length;
  183. _arguments.unshift(`${start}${Array(numberOfSpacesNeeded).join(" ")}`);
  184. if (type === "INFO") {
  185. _arguments[0] += "\x1b[36m";
  186. _arguments.push("\x1b[0m");
  187. console.log.apply(null, _arguments);
  188. } else if (type === "ERROR") {
  189. _arguments[0] += "\x1b[31m";
  190. _arguments.push("\x1b[0m");
  191. console.error.apply(null, _arguments);
  192. }
  193. }
  194. /**
  195. * Locks down all modules
  196. */
  197. _lockdown() {
  198. this.lockdown = true;
  199. Object.keys(this.modules).every(moduleKey => {
  200. const module = this.modules[moduleKey];
  201. module.setStatus("LOCKDOWN");
  202. return true;
  203. });
  204. }
  205. }
  206. const moduleManager = new ModuleManager();
  207. if (!config.get("migration")) {
  208. moduleManager.addModule("cache");
  209. moduleManager.addModule("db");
  210. moduleManager.addModule("mail");
  211. moduleManager.addModule("activities");
  212. moduleManager.addModule("api");
  213. moduleManager.addModule("app");
  214. moduleManager.addModule("ws");
  215. moduleManager.addModule("notifications");
  216. moduleManager.addModule("playlists");
  217. moduleManager.addModule("punishments");
  218. moduleManager.addModule("songs");
  219. moduleManager.addModule("stations");
  220. moduleManager.addModule("media");
  221. moduleManager.addModule("tasks");
  222. moduleManager.addModule("utils");
  223. moduleManager.addModule("youtube");
  224. if (config.get("experimental.soundcloud")) moduleManager.addModule("soundcloud");
  225. if (config.get("experimental.spotify")) {
  226. moduleManager.addModule("spotify");
  227. moduleManager.addModule("musicbrainz");
  228. moduleManager.addModule("wikidata");
  229. }
  230. } else {
  231. moduleManager.addModule("migration");
  232. }
  233. moduleManager.initialize();
  234. /**
  235. * Prints a job
  236. * @param {object} job - the job
  237. * @param {number} layer - the layer
  238. */
  239. function printJob(job, layer) {
  240. const tabs = Array(layer).join("\t");
  241. if (job) {
  242. console.log(`${tabs}${job.name} (${job.toString()}) ${job.status}`);
  243. job.childJobs.forEach(childJob => {
  244. printJob(childJob, layer + 1);
  245. });
  246. } else console.log(`${tabs}JOB WAS REMOVED`);
  247. }
  248. /**
  249. * Prints a task
  250. * @param {object} task - the task
  251. * @param {number} layer - the layer
  252. */
  253. function printTask(task, layer) {
  254. const tabs = Array(layer).join("\t");
  255. console.log(`${tabs}${task.job.name} (${task.job.toString()}) ${task.job.status} (priority: ${task.priority})`);
  256. task.job.childJobs.forEach(childJob => {
  257. printJob(childJob, layer + 1);
  258. });
  259. }
  260. const rl = readline.createInterface({
  261. input: process.stdin,
  262. output: process.stdout,
  263. completer(command) {
  264. const parts = command.split(" ");
  265. const commands = [
  266. "version",
  267. "lockdown",
  268. "status",
  269. "running ",
  270. "queued ",
  271. "paused ",
  272. "stats ",
  273. "jobinfo ",
  274. "runjob ",
  275. "eval "
  276. ];
  277. if (parts.length === 1) {
  278. const hits = commands.filter(c => c.startsWith(parts[0]));
  279. return [hits.length ? hits : commands, command];
  280. }
  281. if (parts.length === 2) {
  282. if (["queued", "running", "paused", "runjob", "stats"].indexOf(parts[0]) !== -1) {
  283. const modules = Object.keys(moduleManager.modules);
  284. const hits = modules
  285. .filter(module => module.startsWith(parts[1]))
  286. .map(module => `${parts[0]} ${module}${parts[0] === "runjob" ? " " : ""}`);
  287. return [hits.length ? hits : modules, command];
  288. }
  289. }
  290. if (parts.length === 3) {
  291. if (parts[0] === "runjob") {
  292. const modules = Object.keys(moduleManager.modules);
  293. if (modules.indexOf(parts[1]) !== -1) {
  294. const jobs = moduleManager.modules[parts[1]].jobNames;
  295. const hits = jobs
  296. .filter(job => job.startsWith(parts[2]))
  297. .map(job => `${parts[0]} ${parts[1]} ${job} `);
  298. return [hits.length ? hits : jobs, command];
  299. }
  300. }
  301. }
  302. return [];
  303. }
  304. });
  305. rl.on("line", command => {
  306. if (command === "version") {
  307. printVersion();
  308. }
  309. if (command === "lockdown") {
  310. console.log("Locking down.");
  311. moduleManager._lockdown();
  312. }
  313. if (command === "status") {
  314. console.log("Status:");
  315. Object.keys(moduleManager.modules).forEach(moduleName => {
  316. const module = moduleManager.modules[moduleName];
  317. const tabsNeeded = 4 - Math.ceil((moduleName.length + 1) / 8);
  318. console.log(
  319. `${moduleName.toUpperCase()}${Array(tabsNeeded).join(
  320. "\t"
  321. )}${module.getStatus()}. Jobs in queue: ${module.jobQueue.lengthQueue()}. Jobs in progress: ${module.jobQueue.lengthRunning()}. Jobs paused: ${module.jobQueue.lengthPaused()} Concurrency: ${
  322. module.jobQueue.concurrency
  323. }. Stage: ${module.getStage()}`
  324. );
  325. });
  326. }
  327. if (command.startsWith("running")) {
  328. const parts = command.split(" ");
  329. moduleManager.modules[parts[1]].jobQueue.runningTasks.forEach(task => {
  330. printTask(task, 1);
  331. });
  332. }
  333. if (command.startsWith("queued")) {
  334. const parts = command.split(" ");
  335. moduleManager.modules[parts[1]].jobQueue.queue.forEach(task => {
  336. printTask(task, 1);
  337. });
  338. }
  339. if (command.startsWith("paused")) {
  340. const parts = command.split(" ");
  341. moduleManager.modules[parts[1]].jobQueue.pausedTasks.forEach(task => {
  342. printTask(task, 1);
  343. });
  344. }
  345. if (command.startsWith("stats")) {
  346. const parts = command.split(" ");
  347. console.log(moduleManager.modules[parts[1]].jobStatistics);
  348. }
  349. if (command.startsWith("jobinfo")) {
  350. const parts = command.split(" ");
  351. const uuid = parts[1];
  352. const jobFound = moduleManager.jobManager.getJob(uuid);
  353. if (jobFound) {
  354. let topParent = jobFound;
  355. let levelsDeep = 0;
  356. while (topParent.parentJob && topParent !== topParent.parentJob) {
  357. topParent = jobFound.parentJob;
  358. levelsDeep += 1;
  359. }
  360. console.log(
  361. `Found job, displaying that job and the full tree from the top parent job. The job is ${levelsDeep} levels deep from the top parent.`
  362. );
  363. console.log(jobFound);
  364. printJob(topParent, 1);
  365. } else console.log("Could not find job in job manager.");
  366. }
  367. if (command.startsWith("runjob")) {
  368. const parts = command.split(" ");
  369. const module = parts[1];
  370. const jobName = parts[2];
  371. const payload = parts.length < 4 ? {} : JSON.parse(parts[3]);
  372. moduleManager.modules[module]
  373. .runJob(jobName, payload)
  374. .then(response => {
  375. console.log("runjob success", response);
  376. })
  377. .catch(err => {
  378. console.log("runjob error", err);
  379. });
  380. }
  381. if (command.startsWith("eval")) {
  382. const evalCommand = command.replace("eval ", "");
  383. console.log(`Running eval command: ${evalCommand}`);
  384. // eslint-disable-next-line no-eval
  385. const response = eval(evalCommand);
  386. console.log(`Eval response: `, response);
  387. }
  388. if (command.startsWith("debug")) {
  389. moduleManager.modules.youtube.apiCalls.forEach(apiCall => {
  390. // console.log(`${apiCall.date.toISOString()} - ${apiCall.url} - ${apiCall.quotaCost} - ${JSON.stringify(apiCall.params)}`);
  391. console.log(apiCall);
  392. });
  393. }
  394. });
  395. export default moduleManager;
  396. export { MUSARE_VERSION };