| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432 | import async from "async";import config from "config";import * as rax from "retry-axios";import axios from "axios";import CoreClass from "../core";class RateLimitter {	/**	 * Constructor	 *	 * @param {number} timeBetween - The time between each allowed YouTube request	 */	constructor(timeBetween) {		this.dateStarted = Date.now();		this.timeBetween = timeBetween;	}	/**	 * Returns a promise that resolves whenever the ratelimit of a YouTube request is done	 *	 * @returns {Promise} - promise that gets resolved when the rate limit allows it	 */	continue() {		return new Promise(resolve => {			if (Date.now() - this.dateStarted >= this.timeBetween) resolve();			else setTimeout(resolve, this.dateStarted + this.timeBetween - Date.now());		});	}	/**	 * Restart the rate limit timer	 */	restart() {		this.dateStarted = Date.now();	}}let YouTubeModule;class _YouTubeModule extends CoreClass {	// eslint-disable-next-line require-jsdoc	constructor() {		super("youtube", {			concurrency: 1,			priorities: {				GET_PLAYLIST: 11			}		});		YouTubeModule = this;	}	/**	 * Initialises the activities module	 *	 * @returns {Promise} - returns promise (reject, resolve)	 */	initialize() {		return new Promise(resolve => {			this.rateLimiter = new RateLimitter(config.get("apis.youtube.rateLimit"));			this.requestTimeout = config.get("apis.youtube.requestTimeout");			this.axios = axios.create();			this.axios.defaults.raxConfig = {				instance: this.axios,				retry: config.get("apis.youtube.retryAmount"),				noResponseRetries: config.get("apis.youtube.retryAmount")			};			rax.attach(this.axios);			resolve();		});	}	/**	 * Fetches a list of songs from Youtube's API	 *	 * @param {object} payload - object that contains the payload	 * @param {string} payload.query - the query we'll pass to youtubes api	 * @param {string} payload.pageToken - (optional) if this exists, will search search youtube for a specific page reference	 * @returns {Promise} - returns promise (reject, resolve)	 */	SEARCH(payload) {		const params = {			part: "snippet",			q: payload.query,			key: config.get("apis.youtube.key"),			type: "video",			maxResults: 10		};		if (payload.pageToken) params.pageToken = payload.pageToken;		return new Promise((resolve, reject) => {			YouTubeModule.rateLimiter.continue().then(() => {				YouTubeModule.rateLimiter.restart();				YouTubeModule.axios					.get("https://www.googleapis.com/youtube/v3/search", {						params,						raxConfig: {							onRetryAttempt: err => {								const cfg = rax.getConfig(err);								YouTubeModule.log(									"ERROR",									"SEARCH",									`Attempt #${cfg.currentRetryAttempt}. Error: ${err.message}`								);							}						}					})					.then(res => {						if (res.data.err) {							YouTubeModule.log("ERROR", "SEARCH", `${res.data.error.message}`);							return reject(new Error("An error has occured. Please try again later."));						}						return resolve(res.data);					})					.catch(err => {						YouTubeModule.log("ERROR", "SEARCH", `${err.message}`);						return reject(new Error("An error has occured. Please try again later."));					});			});		});	}	/**	 * Gets the details of a song using the YouTube API	 *	 * @param {object} payload - object that contains the payload	 * @param {string} payload.youtubeId - the YouTube API id of the song	 * @returns {Promise} - returns promise (reject, resolve)	 */	GET_SONG(payload) {		return new Promise((resolve, reject) => {			const params = {				part: "snippet,contentDetails,statistics,status",				id: payload.youtubeId,				key: config.get("apis.youtube.key")			};			if (payload.pageToken) params.pageToken = payload.pageToken;			YouTubeModule.rateLimiter.continue().then(() => {				YouTubeModule.rateLimiter.restart();				YouTubeModule.axios					.get("https://www.googleapis.com/youtube/v3/videos", {						params,						timeout: YouTubeModule.requestTimeout,						raxConfig: {							onRetryAttempt: err => {								const cfg = rax.getConfig(err);								YouTubeModule.log(									"ERROR",									"GET_SONG",									`Attempt #${cfg.currentRetryAttempt}. Error: ${err.message}`								);							}						}					})					.then(res => {						if (res.data.error) {							YouTubeModule.log("ERROR", "GET_SONG", `${res.data.error.message}`);							return reject(new Error("An error has occured. Please try again later."));						}						if (res.data.items[0] === undefined)							return reject(								new Error("The specified video does not exist or cannot be publicly accessed.")							);						// TODO Clean up duration converter						let dur = res.data.items[0].contentDetails.duration;						dur = dur.replace("PT", "");						let duration = 0;						dur = dur.replace(/([\d]*)H/, (v, v2) => {							v2 = Number(v2);							duration = v2 * 60 * 60;							return "";						});						dur = dur.replace(/([\d]*)M/, (v, v2) => {							v2 = Number(v2);							duration += v2 * 60;							return "";						});						// eslint-disable-next-line no-unused-vars						dur = dur.replace(/([\d]*)S/, (v, v2) => {							v2 = Number(v2);							duration += v2;							return "";						});						const song = {							youtubeId: res.data.items[0].id,							title: res.data.items[0].snippet.title,							thumbnail: res.data.items[0].snippet.thumbnails.default.url,							duration						};						return resolve({ song });					})					.catch(err => {						YouTubeModule.log("ERROR", "GET_SONG", `${err.message}`);						return reject(new Error("An error has occured. Please try again later."));					});			});		});	}	/**	 * Returns an array of songs taken from a YouTube playlist	 *	 * @param {object} payload - object that contains the payload	 * @param {boolean} payload.musicOnly - whether to return music videos or all videos in the playlist	 * @param {string} payload.url - the url of the YouTube playlist	 * @returns {Promise} - returns promise (reject, resolve)	 */	GET_PLAYLIST(payload) {		return new Promise((resolve, reject) => {			const regex = /[\\?&]list=([^&#]*)/;			const splitQuery = regex.exec(payload.url);			if (!splitQuery) {				YouTubeModule.log("ERROR", "GET_PLAYLIST", "Invalid YouTube playlist URL query.");				reject(new Error("Invalid playlist URL."));				return;			}			const playlistId = splitQuery[1];			async.waterfall(				[					next => {						let songs = [];						let nextPageToken = "";						async.whilst(							next => {								YouTubeModule.log(									"INFO",									`Getting playlist progress for job (${this.toString()}): ${										songs.length									} songs gotten so far. Is there a next page: ${nextPageToken !== undefined}.`								);								next(null, nextPageToken !== undefined);							},							next => {								// Add 250ms delay between each job request								setTimeout(() => {									YouTubeModule.runJob("GET_PLAYLIST_PAGE", { playlistId, nextPageToken }, this)										.then(response => {											songs = songs.concat(response.songs);											nextPageToken = response.nextPageToken;											next();										})										.catch(err => next(err));								}, 250);							},							err => next(err, songs)						);					},					(songs, next) =>						next(							null,							songs.map(song => song.contentDetails.videoId)						),					(songs, next) => {						if (!payload.musicOnly) return next(true, { songs });						return YouTubeModule.runJob("FILTER_MUSIC_VIDEOS", { videoIds: songs.slice() }, this)							.then(filteredSongs => next(null, { filteredSongs, songs }))							.catch(next);					}				],				(err, response) => {					if (err && err !== true) {						YouTubeModule.log("ERROR", "GET_PLAYLIST", "Some error has occurred.", err.message);						reject(new Error(err.message));					} else {						resolve({ songs: response.filteredSongs ? response.filteredSongs.videoIds : response.songs });					}				}			);		});	}	/**	 * Returns a a page from a YouTube playlist. Is used internally by GET_PLAYLIST.	 *	 * @param {object} payload - object that contains the payload	 * @param {boolean} payload.playlistId - the playlist id to get videos from	 * @param {boolean} payload.nextPageToken - the nextPageToken to use	 * @param {string} payload.url - the url of the YouTube playlist	 * @returns {Promise} - returns promise (reject, resolve)	 */	GET_PLAYLIST_PAGE(payload) {		return new Promise((resolve, reject) => {			const params = {				part: "contentDetails",				playlistId: payload.playlistId,				key: config.get("apis.youtube.key"),				maxResults: 50			};			if (payload.nextPageToken) params.pageToken = payload.nextPageToken;			YouTubeModule.rateLimiter.continue().then(() => {				YouTubeModule.rateLimiter.restart();				YouTubeModule.axios					.get("https://www.googleapis.com/youtube/v3/playlistItems", {						params,						timeout: YouTubeModule.requestTimeout,						raxConfig: {							onRetryAttempt: err => {								const cfg = rax.getConfig(err);								YouTubeModule.log(									"ERROR",									"GET_PLAYLIST_PAGE",									`Attempt #${cfg.currentRetryAttempt}. Error: ${err.message}`								);							}						}					})					.then(res => {						if (res.data.err) {							YouTubeModule.log("ERROR", "GET_PLAYLIST_PAGE", `${res.data.error.message}`);							return reject(new Error("An error has occured. Please try again later."));						}						const songs = res.data.items;						if (res.data.nextPageToken) return resolve({ nextPageToken: res.data.nextPageToken, songs });						return resolve({ songs });					})					.catch(err => {						YouTubeModule.log("ERROR", "GET_PLAYLIST_PAGE", `${err.message}`);						if (err.message === "Request failed with status code 404") {							return reject(new Error("Playlist not found. Is the playlist public/unlisted?"));						}						return reject(new Error("An error has occured. Please try again later."));					});			});		});	}	/**	 * Filters a list of YouTube videos so that they only contains videos with music. Is used internally by GET_PLAYLIST	 *	 * @param {object} payload - object that contains the payload	 * @param {Array} payload.videoIds - an array of YouTube videoIds to filter through	 * @param {Array} payload.page - the current page/set of video's to get, starting at 0. If left null, 0 is assumed. Will recurse.	 * @returns {Promise} - returns promise (reject, resolve)	 */	FILTER_MUSIC_VIDEOS(payload) {		return new Promise((resolve, reject) => {			const page = payload.page ? payload.page : 0;			const videosPerPage = 50;			const localVideoIds = payload.videoIds.splice(page * 50, videosPerPage);			if (localVideoIds.length === 0) {				resolve({ videoIds: [] });				return;			}			const params = {				part: "topicDetails",				id: localVideoIds.join(","),				key: config.get("apis.youtube.key"),				maxResults: videosPerPage			};			YouTubeModule.rateLimiter.continue().then(() => {				YouTubeModule.rateLimiter.restart();				YouTubeModule.axios					.get("https://www.googleapis.com/youtube/v3/videos", {						params,						timeout: YouTubeModule.requestTimeout,						raxConfig: {							onRetryAttempt: err => {								const cfg = rax.getConfig(err);								YouTubeModule.log(									"ERROR",									"FILTER_MUSIC_VIDEOS",									`Attempt #${cfg.currentRetryAttempt}. Error: ${err.message}`								);							}						}					})					.then(res => {						if (res.data.err) {							YouTubeModule.log("ERROR", "FILTER_MUSIC_VIDEOS", `${res.data.error.message}`);							return reject(new Error("An error has occured. Please try again later."));						}						const videoIds = [];						res.data.items.forEach(item => {							const videoId = item.id;							if (!item.topicDetails) return;							if (item.topicDetails.topicCategories.indexOf("https://en.wikipedia.org/wiki/Music") !== -1)								videoIds.push(videoId);						});						return YouTubeModule.runJob(							"FILTER_MUSIC_VIDEOS",							{ videoIds: payload.videoIds, page: page + 1 },							this						)							.then(result => resolve({ videoIds: videoIds.concat(result.videoIds) }))							.catch(err => reject(err));					})					.catch(err => {						YouTubeModule.log("ERROR", "FILTER_MUSIC_VIDEOS", `${err.message}`);						return reject(new Error("Failed to find playlist from YouTube"));					});			});		});	}}export default new _YouTubeModule();
 |