index.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461
  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. *
  70. * @param {object} job - the job object
  71. */
  72. addJob(job) {
  73. if (!this.jobs[job.module.name]) this.jobs[job.module.name] = {};
  74. this.jobs[job.module.name][job.toString()] = job;
  75. }
  76. /**
  77. * Removes a job from the list of running jobs (after it's completed)
  78. *
  79. * @param {object} job - the job object
  80. */
  81. removeJob(job) {
  82. if (!this.jobs[job.module.name]) this.jobs[job.module.name] = {};
  83. delete this.jobs[job.module.name][job.toString()];
  84. }
  85. /**
  86. * Returns detail about a job via a identifier
  87. *
  88. * @param {string} uuid - the job identifier
  89. * @returns {object} - the job object
  90. */
  91. getJob(uuid) {
  92. let job = null;
  93. Object.keys(this.jobs).forEach(moduleName => {
  94. if (this.jobs[moduleName][uuid]) job = this.jobs[moduleName][uuid];
  95. });
  96. return job;
  97. }
  98. }
  99. class ModuleManager {
  100. // eslint-disable-next-line require-jsdoc
  101. constructor() {
  102. this.modules = {};
  103. this.modulesNotInitialized = [];
  104. this.jobManager = new JobManager();
  105. this.i = 0;
  106. this.lockdown = false;
  107. this.debugLogs = {
  108. stationIssue: []
  109. };
  110. this.debugJobs = {
  111. all: [],
  112. completed: []
  113. };
  114. this.name = "MODULE_MANAGER";
  115. }
  116. /**
  117. * Adds a new module to the backend server/module manager
  118. *
  119. * @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")
  120. */
  121. async addModule(moduleName) {
  122. this.log("INFO", "Adding module", moduleName);
  123. this.modules[moduleName] = import(`./logic/${moduleName}`);
  124. }
  125. /**
  126. * Initialises a new module to the backend server/module manager
  127. *
  128. */
  129. async initialize() {
  130. this.reservedLines = Object.keys(this.modules).length + 5;
  131. await Promise.all(Object.values(this.modules)).then(modules => {
  132. for (let module = 0; module < modules.length; module += 1) {
  133. this.modules[modules[module].default.name] = modules[module].default;
  134. this.modulesNotInitialized.push(modules[module].default);
  135. }
  136. }); // ensures all modules are imported, then converts promise to the default export of the import
  137. Object.keys(this.modules).every(moduleKey => {
  138. const module = this.modules[moduleKey];
  139. module.setModuleManager(this);
  140. if (this.lockdown) return false;
  141. module._initialize();
  142. return true;
  143. });
  144. }
  145. /**
  146. * Called when a module is initialised
  147. *
  148. * @param {object} module - the module object/class
  149. */
  150. onInitialize(module) {
  151. if (this.modulesNotInitialized.indexOf(module) !== -1) {
  152. this.modulesNotInitialized.splice(this.modulesNotInitialized.indexOf(module), 1);
  153. this.log(
  154. "INFO",
  155. `Initialized: ${Object.keys(this.modules).length - this.modulesNotInitialized.length}/${
  156. Object.keys(this.modules).length
  157. }.`
  158. );
  159. if (this.modulesNotInitialized.length === 0) this.onAllModulesInitialized();
  160. }
  161. }
  162. /**
  163. * Called when a module fails to initialise
  164. *
  165. * @param {object} module - the module object/class
  166. */
  167. onFail(module) {
  168. if (this.modulesNotInitialized.indexOf(module) !== -1) {
  169. this.log("ERROR", "A module failed to initialize!");
  170. }
  171. }
  172. /**
  173. * Called when every module has initialised
  174. *
  175. */
  176. onAllModulesInitialized() {
  177. this.log("INFO", "All modules initialized!");
  178. }
  179. /**
  180. * Creates a new log message
  181. *
  182. * @param {...any} args - anything to be included in the log message, the first argument is the type of log
  183. */
  184. log(...args) {
  185. const _arguments = Array.from(args);
  186. const type = _arguments[0];
  187. _arguments.splice(0, 1);
  188. const start = `|${this.name.toUpperCase()}|`;
  189. const numberOfSpacesNeeded = 20 - start.length;
  190. _arguments.unshift(`${start}${Array(numberOfSpacesNeeded).join(" ")}`);
  191. if (type === "INFO") {
  192. _arguments[0] += "\x1b[36m";
  193. _arguments.push("\x1b[0m");
  194. console.log.apply(null, _arguments);
  195. } else if (type === "ERROR") {
  196. _arguments[0] += "\x1b[31m";
  197. _arguments.push("\x1b[0m");
  198. console.error.apply(null, _arguments);
  199. }
  200. }
  201. /**
  202. * Locks down all modules
  203. */
  204. _lockdown() {
  205. this.lockdown = true;
  206. Object.keys(this.modules).every(moduleKey => {
  207. const module = this.modules[moduleKey];
  208. module.setStatus("LOCKDOWN");
  209. return true;
  210. });
  211. }
  212. }
  213. const moduleManager = new ModuleManager();
  214. if (!config.get("migration")) {
  215. moduleManager.addModule("cache");
  216. moduleManager.addModule("db");
  217. moduleManager.addModule("mail");
  218. moduleManager.addModule("activities");
  219. moduleManager.addModule("api");
  220. moduleManager.addModule("app");
  221. moduleManager.addModule("ws");
  222. moduleManager.addModule("notifications");
  223. moduleManager.addModule("playlists");
  224. moduleManager.addModule("punishments");
  225. moduleManager.addModule("songs");
  226. moduleManager.addModule("stations");
  227. moduleManager.addModule("media");
  228. moduleManager.addModule("tasks");
  229. moduleManager.addModule("utils");
  230. moduleManager.addModule("youtube");
  231. if (config.get("experimental.soundcloud")) moduleManager.addModule("soundcloud");
  232. if (config.get("experimental.spotify")) {
  233. moduleManager.addModule("spotify");
  234. moduleManager.addModule("musicbrainz");
  235. moduleManager.addModule("wikidata");
  236. }
  237. } else {
  238. moduleManager.addModule("migration");
  239. }
  240. moduleManager.initialize();
  241. /**
  242. * Prints a job
  243. *
  244. * @param {object} job - the job
  245. * @param {number} layer - the layer
  246. */
  247. function printJob(job, layer) {
  248. const tabs = Array(layer).join("\t");
  249. if (job) {
  250. console.log(`${tabs}${job.name} (${job.toString()}) ${job.status}`);
  251. job.childJobs.forEach(childJob => {
  252. printJob(childJob, layer + 1);
  253. });
  254. } else console.log(`${tabs}JOB WAS REMOVED`);
  255. }
  256. /**
  257. * Prints a task
  258. *
  259. * @param {object} task - the task
  260. * @param {number} layer - the layer
  261. */
  262. function printTask(task, layer) {
  263. const tabs = Array(layer).join("\t");
  264. console.log(`${tabs}${task.job.name} (${task.job.toString()}) ${task.job.status} (priority: ${task.priority})`);
  265. task.job.childJobs.forEach(childJob => {
  266. printJob(childJob, layer + 1);
  267. });
  268. }
  269. const rl = readline.createInterface({
  270. input: process.stdin,
  271. output: process.stdout,
  272. completer(command) {
  273. const parts = command.split(" ");
  274. const commands = [
  275. "version",
  276. "lockdown",
  277. "status",
  278. "running ",
  279. "queued ",
  280. "paused ",
  281. "stats ",
  282. "jobinfo ",
  283. "runjob ",
  284. "eval "
  285. ];
  286. if (parts.length === 1) {
  287. const hits = commands.filter(c => c.startsWith(parts[0]));
  288. return [hits.length ? hits : commands, command];
  289. }
  290. if (parts.length === 2) {
  291. if (["queued", "running", "paused", "runjob", "stats"].indexOf(parts[0]) !== -1) {
  292. const modules = Object.keys(moduleManager.modules);
  293. const hits = modules
  294. .filter(module => module.startsWith(parts[1]))
  295. .map(module => `${parts[0]} ${module}${parts[0] === "runjob" ? " " : ""}`);
  296. return [hits.length ? hits : modules, command];
  297. }
  298. }
  299. if (parts.length === 3) {
  300. if (parts[0] === "runjob") {
  301. const modules = Object.keys(moduleManager.modules);
  302. if (modules.indexOf(parts[1]) !== -1) {
  303. const jobs = moduleManager.modules[parts[1]].jobNames;
  304. const hits = jobs
  305. .filter(job => job.startsWith(parts[2]))
  306. .map(job => `${parts[0]} ${parts[1]} ${job} `);
  307. return [hits.length ? hits : jobs, command];
  308. }
  309. }
  310. }
  311. return [];
  312. }
  313. });
  314. rl.on("line", command => {
  315. if (command === "version") {
  316. printVersion();
  317. }
  318. if (command === "lockdown") {
  319. console.log("Locking down.");
  320. moduleManager._lockdown();
  321. }
  322. if (command === "status") {
  323. console.log("Status:");
  324. Object.keys(moduleManager.modules).forEach(moduleName => {
  325. const module = moduleManager.modules[moduleName];
  326. const tabsNeeded = 4 - Math.ceil((moduleName.length + 1) / 8);
  327. console.log(
  328. `${moduleName.toUpperCase()}${Array(tabsNeeded).join(
  329. "\t"
  330. )}${module.getStatus()}. Jobs in queue: ${module.jobQueue.lengthQueue()}. Jobs in progress: ${module.jobQueue.lengthRunning()}. Jobs paused: ${module.jobQueue.lengthPaused()} Concurrency: ${
  331. module.jobQueue.concurrency
  332. }. Stage: ${module.getStage()}`
  333. );
  334. });
  335. }
  336. if (command.startsWith("running")) {
  337. const parts = command.split(" ");
  338. moduleManager.modules[parts[1]].jobQueue.runningTasks.forEach(task => {
  339. printTask(task, 1);
  340. });
  341. }
  342. if (command.startsWith("queued")) {
  343. const parts = command.split(" ");
  344. moduleManager.modules[parts[1]].jobQueue.queue.forEach(task => {
  345. printTask(task, 1);
  346. });
  347. }
  348. if (command.startsWith("paused")) {
  349. const parts = command.split(" ");
  350. moduleManager.modules[parts[1]].jobQueue.pausedTasks.forEach(task => {
  351. printTask(task, 1);
  352. });
  353. }
  354. if (command.startsWith("stats")) {
  355. const parts = command.split(" ");
  356. console.log(moduleManager.modules[parts[1]].jobStatistics);
  357. }
  358. if (command.startsWith("jobinfo")) {
  359. const parts = command.split(" ");
  360. const uuid = parts[1];
  361. const jobFound = moduleManager.jobManager.getJob(uuid);
  362. if (jobFound) {
  363. let topParent = jobFound;
  364. let levelsDeep = 0;
  365. while (topParent.parentJob && topParent !== topParent.parentJob) {
  366. topParent = jobFound.parentJob;
  367. levelsDeep += 1;
  368. }
  369. console.log(
  370. `Found job, displaying that job and the full tree from the top parent job. The job is ${levelsDeep} levels deep from the top parent.`
  371. );
  372. console.log(jobFound);
  373. printJob(topParent, 1);
  374. } else console.log("Could not find job in job manager.");
  375. }
  376. if (command.startsWith("runjob")) {
  377. const parts = command.split(" ");
  378. const module = parts[1];
  379. const jobName = parts[2];
  380. const payload = parts.length < 4 ? {} : JSON.parse(parts[3]);
  381. moduleManager.modules[module]
  382. .runJob(jobName, payload)
  383. .then(response => {
  384. console.log("runjob success", response);
  385. })
  386. .catch(err => {
  387. console.log("runjob error", err);
  388. });
  389. }
  390. if (command.startsWith("eval")) {
  391. const evalCommand = command.replace("eval ", "");
  392. console.log(`Running eval command: ${evalCommand}`);
  393. // eslint-disable-next-line no-eval
  394. const response = eval(evalCommand);
  395. console.log(`Eval response: `, response);
  396. }
  397. if (command.startsWith("debug")) {
  398. moduleManager.modules.youtube.apiCalls.forEach(apiCall => {
  399. // console.log(`${apiCall.date.toISOString()} - ${apiCall.url} - ${apiCall.quotaCost} - ${JSON.stringify(apiCall.params)}`);
  400. console.log(apiCall);
  401. });
  402. }
  403. });
  404. export default moduleManager;
  405. export { MUSARE_VERSION };