index.js 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532
  1. import config from "config";
  2. import mongoose from "mongoose";
  3. import bluebird from "bluebird";
  4. import async from "async";
  5. import CoreClass from "../../core";
  6. const REQUIRED_DOCUMENT_VERSIONS = {
  7. activity: 2,
  8. news: 2,
  9. playlist: 6,
  10. punishment: 1,
  11. queueSong: 1,
  12. report: 5,
  13. song: 7,
  14. station: 7,
  15. user: 3
  16. };
  17. const regex = {
  18. azAZ09_: /^[A-Za-z0-9_]+$/,
  19. az09_: /^[a-z0-9_]+$/,
  20. emailSimple: /^[\x00-\x7F]+@[a-z0-9]+\.[a-z0-9]+(\.[a-z0-9]+)?$/,
  21. ascii: /^[\x00-\x7F]+$/,
  22. name: /^[\p{L}0-9 .'_-]+$/u,
  23. custom: regex => new RegExp(`^[${regex}]+$`)
  24. };
  25. const isLength = (string, min, max) => !(typeof string !== "string" || string.length < min || string.length > max);
  26. mongoose.Promise = bluebird;
  27. let DBModule;
  28. class _DBModule extends CoreClass {
  29. // eslint-disable-next-line require-jsdoc
  30. constructor() {
  31. super("db");
  32. DBModule = this;
  33. }
  34. /**
  35. * Initialises the database module
  36. *
  37. * @returns {Promise} - returns promise (reject, resolve)
  38. */
  39. initialize() {
  40. return new Promise((resolve, reject) => {
  41. this.schemas = {};
  42. this.models = {};
  43. const mongoUrl = config.get("mongo").url;
  44. mongoose
  45. .connect(mongoUrl, {
  46. useNewUrlParser: true,
  47. useUnifiedTopology: true
  48. })
  49. .then(async () => {
  50. this.schemas = {
  51. song: {},
  52. queueSong: {},
  53. station: {},
  54. user: {},
  55. dataRequest: {},
  56. activity: {},
  57. playlist: {},
  58. news: {},
  59. report: {},
  60. punishment: {}
  61. };
  62. const importSchema = schemaName =>
  63. new Promise(resolve => {
  64. import(`./schemas/${schemaName}`).then(schema => {
  65. this.schemas[schemaName] = new mongoose.Schema(schema.default);
  66. return resolve();
  67. });
  68. });
  69. await importSchema("song");
  70. await importSchema("queueSong");
  71. await importSchema("station");
  72. await importSchema("user");
  73. await importSchema("dataRequest");
  74. await importSchema("activity");
  75. await importSchema("playlist");
  76. await importSchema("news");
  77. await importSchema("report");
  78. await importSchema("punishment");
  79. this.models = {
  80. song: mongoose.model("song", this.schemas.song),
  81. queueSong: mongoose.model("queueSong", this.schemas.queueSong),
  82. station: mongoose.model("station", this.schemas.station),
  83. user: mongoose.model("user", this.schemas.user),
  84. dataRequest: mongoose.model("dataRequest", this.schemas.dataRequest),
  85. activity: mongoose.model("activity", this.schemas.activity),
  86. playlist: mongoose.model("playlist", this.schemas.playlist),
  87. news: mongoose.model("news", this.schemas.news),
  88. report: mongoose.model("report", this.schemas.report),
  89. punishment: mongoose.model("punishment", this.schemas.punishment)
  90. };
  91. mongoose.connection.on("error", err => {
  92. this.log("ERROR", err);
  93. });
  94. mongoose.connection.on("disconnected", () => {
  95. this.log("ERROR", "Disconnected, going to try to reconnect...");
  96. this.setStatus("RECONNECTING");
  97. });
  98. mongoose.connection.on("reconnected", () => {
  99. this.log("INFO", "Reconnected.");
  100. this.setStatus("READY");
  101. });
  102. mongoose.connection.on("reconnectFailed", () => {
  103. this.log("INFO", "Reconnect failed, stopping reconnecting.");
  104. this.setStatus("FAILED");
  105. });
  106. // User
  107. this.schemas.user
  108. .path("username")
  109. .validate(
  110. username =>
  111. isLength(username, 2, 32) &&
  112. regex.custom("a-zA-Z0-9_-").test(username) &&
  113. username.replaceAll(/[_]/g, "").length > 0,
  114. "Invalid username."
  115. );
  116. this.schemas.user.path("email.address").validate(email => {
  117. if (!isLength(email, 3, 254)) return false;
  118. if (email.indexOf("@") !== email.lastIndexOf("@")) return false;
  119. return regex.emailSimple.test(email) && regex.ascii.test(email);
  120. }, "Invalid email.");
  121. this.schemas.user
  122. .path("name")
  123. .validate(
  124. name =>
  125. isLength(name, 1, 64) &&
  126. regex.name.test(name) &&
  127. name.replaceAll(/[ .'_-]/g, "").length > 0,
  128. "Invalid name."
  129. );
  130. // Station
  131. this.schemas.station
  132. .path("name")
  133. .validate(id => isLength(id, 2, 16) && regex.az09_.test(id), "Invalid station name.");
  134. this.schemas.station
  135. .path("displayName")
  136. .validate(
  137. displayName => isLength(displayName, 2, 32) && regex.ascii.test(displayName),
  138. "Invalid display name."
  139. );
  140. this.schemas.station.path("description").validate(description => {
  141. if (!isLength(description, 2, 200)) return false;
  142. const characters = description.split("");
  143. return characters.filter(character => character.charCodeAt(0) === 21328).length === 0;
  144. }, "Invalid display name.");
  145. this.schemas.station.path("owner").validate({
  146. validator: owner =>
  147. new Promise((resolve, reject) => {
  148. this.models.station.countDocuments({ owner }, (err, c) => {
  149. if (err) reject(new Error("A mongo error happened."));
  150. else if (c >= 25) reject(new Error("User already has 25 stations."));
  151. else resolve();
  152. });
  153. }),
  154. message: "User already has 25 stations."
  155. });
  156. // Song
  157. const songTitle = title => isLength(title, 1, 100);
  158. this.schemas.song.path("title").validate(songTitle, "Invalid title.");
  159. this.schemas.song.path("artists").validate(artists => artists.length <= 10, "Invalid artists.");
  160. const songArtists = artists =>
  161. artists.filter(artist => isLength(artist, 1, 64) && artist !== "NONE").length ===
  162. artists.length;
  163. this.schemas.song.path("artists").validate(songArtists, "Invalid artists.");
  164. const songGenres = genres => {
  165. if (genres.length > 16) return false;
  166. return (
  167. genres.filter(genre => isLength(genre, 1, 32) && regex.ascii.test(genre)).length ===
  168. genres.length
  169. );
  170. };
  171. this.schemas.song.path("genres").validate(songGenres, "Invalid genres.");
  172. const songTags = tags =>
  173. tags.filter(tag =>
  174. new RegExp(/^[a-zA-Z0-9_]{1,64}$|^[a-zA-Z0-9_]{1,64}\[[a-zA-Z0-9_]{1,64}\]$/).test(tag)
  175. ).length === tags.length;
  176. this.schemas.song.path("tags").validate(songTags, "Invalid tags.");
  177. const songThumbnail = thumbnail => {
  178. if (!isLength(thumbnail, 1, 256)) return false;
  179. if (config.get("cookie.secure") === true) return thumbnail.startsWith("https://");
  180. return thumbnail.startsWith("http://") || thumbnail.startsWith("https://");
  181. };
  182. this.schemas.song.path("thumbnail").validate(songThumbnail, "Invalid thumbnail.");
  183. // Playlist
  184. this.schemas.playlist
  185. .path("displayName")
  186. .validate(
  187. displayName => isLength(displayName, 1, 32) && regex.ascii.test(displayName),
  188. "Invalid display name."
  189. );
  190. this.schemas.playlist.path("createdBy").validate(createdBy => {
  191. this.models.playlist.countDocuments({ createdBy }, (err, c) => !(err || c >= 100));
  192. }, "Max 100 playlists per user.");
  193. this.schemas.playlist
  194. .path("songs")
  195. .validate(songs => songs.length <= 10000, "Max 10000 songs per playlist.");
  196. // this.schemas.playlist.path("songs").validate(songs => {
  197. // if (songs.length === 0) return true;
  198. // return songs[0].duration <= 10800;
  199. // }, "Max 3 hours per song.");
  200. this.schemas.playlist.index({ createdFor: 1, type: 1 }, { unique: true });
  201. if (config.get("skipDbDocumentsVersionCheck")) resolve();
  202. else {
  203. this.runJob("CHECK_DOCUMENT_VERSIONS", {}, null, -1)
  204. .then(() => {
  205. resolve();
  206. })
  207. .catch(err => {
  208. reject(err);
  209. });
  210. }
  211. })
  212. .catch(err => {
  213. this.log("ERROR", err);
  214. reject(err);
  215. });
  216. });
  217. }
  218. /**
  219. * Checks if all documents have the correct document version
  220. *
  221. * @returns {Promise} - returns promise (reject, resolve)
  222. */
  223. CHECK_DOCUMENT_VERSIONS() {
  224. return new Promise((resolve, reject) => {
  225. async.each(
  226. Object.keys(REQUIRED_DOCUMENT_VERSIONS),
  227. (modelName, next) => {
  228. const model = DBModule.models[modelName];
  229. const requiredDocumentVersion = REQUIRED_DOCUMENT_VERSIONS[modelName];
  230. model.countDocuments({ documentVersion: { $ne: requiredDocumentVersion } }, (err, count) => {
  231. if (err) next(err);
  232. else if (count > 0)
  233. next(
  234. `Collection "${modelName}" has ${count} documents with a wrong document version. Run migration.`
  235. );
  236. else next();
  237. });
  238. },
  239. err => {
  240. if (err) reject(new Error(err));
  241. else resolve();
  242. }
  243. );
  244. });
  245. }
  246. /**
  247. * Returns a database model
  248. *
  249. * @param {object} payload - object containing the payload
  250. * @param {object} payload.modelName - name of the model to get
  251. * @returns {Promise} - returns promise (reject, resolve)
  252. */
  253. GET_MODEL(payload) {
  254. return new Promise(resolve => {
  255. resolve(DBModule.models[payload.modelName]);
  256. });
  257. }
  258. /**
  259. * Returns a database schema
  260. *
  261. * @param {object} payload - object containing the payload
  262. * @param {object} payload.schemaName - name of the schema to get
  263. * @returns {Promise} - returns promise (reject, resolve)
  264. */
  265. GET_SCHEMA(payload) {
  266. return new Promise(resolve => {
  267. resolve(DBModule.schemas[payload.schemaName]);
  268. });
  269. }
  270. /**
  271. * Gets data
  272. *
  273. * @param {object} payload - object containing the payload
  274. * @param {string} payload.page - the page
  275. * @param {string} payload.pageSize - the page size
  276. * @param {string} payload.properties - the properties to return for each song
  277. * @param {string} payload.sort - the sort object
  278. * @param {string} payload.queries - the queries array
  279. * @param {string} payload.operator - the operator for queries
  280. * @param {string} payload.modelName - the db collection modal name
  281. * @param {string} payload.blacklistedProperties - the properties that are not allowed to be returned, filtered by or sorted by
  282. * @param {string} payload.specialProperties - the special properties
  283. * @param {string} payload.specialQueries - the special queries
  284. * @returns {Promise} - returns a promise (resolve, reject)
  285. */
  286. GET_DATA(payload) {
  287. return new Promise((resolve, reject) => {
  288. async.waterfall(
  289. [
  290. // Creates pipeline array
  291. next => next(null, []),
  292. // If a query filter property or sort property is blacklisted, throw error
  293. (pipeline, next) => {
  294. const { sort, queries, blacklistedProperties } = payload;
  295. if (
  296. queries.some(query =>
  297. blacklistedProperties.some(blacklistedProperty =>
  298. blacklistedProperty.startsWith(query.filter.property)
  299. )
  300. )
  301. )
  302. return next("Unable to filter by blacklisted property.");
  303. if (
  304. Object.keys(sort).some(property =>
  305. blacklistedProperties.some(blacklistedProperty =>
  306. blacklistedProperty.startsWith(property)
  307. )
  308. )
  309. )
  310. return next("Unable to sort by blacklisted property.");
  311. return next(null, pipeline);
  312. },
  313. // If a filter or property exists for a special property, add some custom pipeline steps
  314. (pipeline, next) => {
  315. const { properties, queries, specialProperties } = payload;
  316. async.eachLimit(
  317. Object.entries(specialProperties),
  318. 1,
  319. ([specialProperty, pipelineSteps], next) => {
  320. // Check if a filter with the special property exists
  321. const filterExists =
  322. queries.map(query => query.filter.property).indexOf(specialProperty) !== -1;
  323. // Check if a property with the special property exists
  324. const propertyExists = properties.indexOf(specialProperty) !== -1;
  325. // If no such filter or property exists, skip this function
  326. if (!filterExists && !propertyExists) return next();
  327. // Add the specified pipeline steps into the pipeline
  328. pipeline.push(...pipelineSteps);
  329. return next();
  330. },
  331. err => {
  332. next(err, pipeline);
  333. }
  334. );
  335. },
  336. // Adds the match stage to aggregation pipeline, which is responsible for filtering
  337. (pipeline, next) => {
  338. const { queries, operator, specialQueries } = payload;
  339. let queryError;
  340. const newQueries = queries.flatMap(query => {
  341. const { data, filter, filterType } = query;
  342. const newQuery = {};
  343. if (filterType === "regex") {
  344. newQuery[filter.property] = new RegExp(`${data.slice(1, data.length - 1)}`, "i");
  345. } else if (filterType === "contains") {
  346. newQuery[filter.property] = new RegExp(
  347. `${data.replaceAll(/[.*+?^${}()|[\]\\]/g, "\\$&")}`,
  348. "i"
  349. );
  350. } else if (filterType === "exact") {
  351. newQuery[filter.property] = data.toString();
  352. } else if (filterType === "datetimeBefore") {
  353. newQuery[filter.property] = { $lte: new Date(data) };
  354. } else if (filterType === "datetimeAfter") {
  355. newQuery[filter.property] = { $gte: new Date(data) };
  356. } else if (filterType === "numberLesserEqual") {
  357. newQuery[filter.property] = { $lte: Number(data) };
  358. } else if (filterType === "numberLesser") {
  359. newQuery[filter.property] = { $lt: Number(data) };
  360. } else if (filterType === "numberGreater") {
  361. newQuery[filter.property] = { $gt: Number(data) };
  362. } else if (filterType === "numberGreaterEqual") {
  363. newQuery[filter.property] = { $gte: Number(data) };
  364. } else if (filterType === "numberEquals") {
  365. newQuery[filter.property] = { $eq: Number(data) };
  366. } else if (filterType === "boolean") {
  367. newQuery[filter.property] = { $eq: !!data };
  368. }
  369. if (specialQueries[filter.property]) {
  370. return specialQueries[filter.property](newQuery);
  371. }
  372. return newQuery;
  373. });
  374. if (queryError) next(queryError);
  375. const queryObject = {};
  376. if (newQueries.length > 0) {
  377. if (operator === "and") queryObject.$and = newQueries;
  378. else if (operator === "or") queryObject.$or = newQueries;
  379. else if (operator === "nor") queryObject.$nor = newQueries;
  380. }
  381. pipeline.push({ $match: queryObject });
  382. next(null, pipeline);
  383. },
  384. // Adds sort stage to aggregation pipeline if there is at least one column being sorted, responsible for sorting data
  385. (pipeline, next) => {
  386. const { sort } = payload;
  387. const newSort = Object.fromEntries(
  388. Object.entries(sort).map(([property, direction]) => [
  389. property,
  390. direction === "ascending" ? 1 : -1
  391. ])
  392. );
  393. if (Object.keys(newSort).length > 0) pipeline.push({ $sort: newSort });
  394. next(null, pipeline);
  395. },
  396. // Adds first project stage to aggregation pipeline, responsible for including only the requested properties
  397. (pipeline, next) => {
  398. const { properties } = payload;
  399. pipeline.push({ $project: Object.fromEntries(properties.map(property => [property, 1])) });
  400. next(null, pipeline);
  401. },
  402. // Adds second project stage to aggregation pipeline, responsible for excluding some specific properties
  403. (pipeline, next) => {
  404. const { blacklistedProperties } = payload;
  405. if (blacklistedProperties.length > 0)
  406. pipeline.push({
  407. $project: Object.fromEntries(blacklistedProperties.map(property => [property, 0]))
  408. });
  409. next(null, pipeline);
  410. },
  411. // Adds the facet stage to aggregation pipeline, responsible for returning a total document count, skipping and limitting the documents that will be returned
  412. (pipeline, next) => {
  413. const { page, pageSize } = payload;
  414. pipeline.push({
  415. $facet: {
  416. count: [{ $count: "count" }],
  417. documents: [{ $skip: pageSize * (page - 1) }, { $limit: pageSize }]
  418. }
  419. });
  420. // console.dir(pipeline, { depth: 6 });
  421. next(null, pipeline);
  422. },
  423. (pipeline, next) => {
  424. const { modelName } = payload;
  425. DBModule.runJob("GET_MODEL", { modelName }, this)
  426. .then(model => {
  427. if (!model) return next("Invalid model.");
  428. return next(null, pipeline, model);
  429. })
  430. .catch(err => {
  431. next(err);
  432. });
  433. },
  434. // Executes the aggregation pipeline
  435. (pipeline, model, next) => {
  436. model.aggregate(pipeline).exec((err, result) => {
  437. // console.dir(err);
  438. // console.dir(result, { depth: 6 });
  439. if (err) return next(err);
  440. if (result[0].count.length === 0) return next(null, 0, []);
  441. const { count } = result[0].count[0];
  442. const { documents } = result[0];
  443. // console.log(111, err, result, count, documents[0]);
  444. return next(null, count, documents);
  445. });
  446. }
  447. ],
  448. (err, count, documents) => {
  449. if (err && err !== true) return reject(new Error(err));
  450. return resolve({ data: documents, count });
  451. }
  452. );
  453. });
  454. }
  455. /**
  456. * Checks if a password to be stored in the database has a valid length
  457. *
  458. * @param {object} password - the password itself
  459. * @returns {Promise} - returns promise (reject, resolve)
  460. */
  461. passwordValid(password) {
  462. return isLength(password, 6, 200);
  463. }
  464. }
  465. export default new _DBModule();