youtube.js 9.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329
  1. import async from "async";
  2. import config from "config";
  3. import request from "request";
  4. import CoreClass from "../core";
  5. let YouTubeModule;
  6. class _YouTubeModule extends CoreClass {
  7. // eslint-disable-next-line require-jsdoc
  8. constructor() {
  9. super("youtube", {
  10. concurrency: 1,
  11. priorities: {
  12. GET_PLAYLIST: 11
  13. }
  14. });
  15. YouTubeModule = this;
  16. }
  17. /**
  18. * Initialises the activities module
  19. *
  20. * @returns {Promise} - returns promise (reject, resolve)
  21. */
  22. initialize() {
  23. return new Promise(resolve => {
  24. resolve();
  25. });
  26. }
  27. /**
  28. * Gets the details of a song using the YouTube API
  29. *
  30. * @param {object} payload - object that contains the payload
  31. * @param {string} payload.songId - the YouTube API id of the song
  32. * @returns {Promise} - returns promise (reject, resolve)
  33. */
  34. GET_SONG(payload) {
  35. // songId, cb
  36. return new Promise((resolve, reject) => {
  37. const youtubeParams = [
  38. "part=snippet,contentDetails,statistics,status",
  39. `id=${encodeURIComponent(payload.songId)}`,
  40. `key=${config.get("apis.youtube.key")}`
  41. ].join("&");
  42. request(
  43. {
  44. url: `https://www.googleapis.com/youtube/v3/videos?${youtubeParams}`,
  45. timeout: 30000,
  46. agent: false,
  47. pool: { maxSockets: 100 }
  48. },
  49. (err, res, body) => {
  50. if (err) {
  51. YouTubeModule.log("ERROR", "GET_SONG", `${err.message}`);
  52. return reject(new Error("An error has occured. Please try again later."));
  53. }
  54. body = JSON.parse(body);
  55. if (body.error) {
  56. YouTubeModule.log("ERROR", "GET_SONG", `${body.error.message}`);
  57. return reject(new Error("An error has occured. Please try again later."));
  58. }
  59. if (body.items[0] === undefined)
  60. return reject(new Error("The specified video does not exist or cannot be publicly accessed."));
  61. // TODO Clean up duration converter
  62. let dur = body.items[0].contentDetails.duration;
  63. dur = dur.replace("PT", "");
  64. let duration = 0;
  65. dur = dur.replace(/([\d]*)H/, (v, v2) => {
  66. v2 = Number(v2);
  67. duration = v2 * 60 * 60;
  68. return "";
  69. });
  70. dur = dur.replace(/([\d]*)M/, (v, v2) => {
  71. v2 = Number(v2);
  72. duration += v2 * 60;
  73. return "";
  74. });
  75. // eslint-disable-next-line no-unused-vars
  76. dur = dur.replace(/([\d]*)S/, (v, v2) => {
  77. v2 = Number(v2);
  78. duration += v2;
  79. return "";
  80. });
  81. const song = {
  82. songId: body.items[0].id,
  83. title: body.items[0].snippet.title,
  84. thumbnail: body.items[0].snippet.thumbnails.default.url,
  85. duration
  86. };
  87. return resolve({ song });
  88. }
  89. );
  90. // songId: payload.songId
  91. });
  92. }
  93. /**
  94. * Returns an array of songs taken from a YouTube playlist
  95. *
  96. * @param {object} payload - object that contains the payload
  97. * @param {boolean} payload.musicOnly - whether to return music videos or all videos in the playlist
  98. * @param {string} payload.url - the url of the YouTube playlist
  99. * @returns {Promise} - returns promise (reject, resolve)
  100. */
  101. GET_PLAYLIST(payload) {
  102. // payload includes: url, musicOnly
  103. return new Promise((resolve, reject) => {
  104. const name = "list".replace(/[\\[]/, "\\[").replace(/[\]]/, "\\]");
  105. const regex = new RegExp(`[\\?&]${name}=([^&#]*)`);
  106. const splitQuery = regex.exec(payload.url);
  107. if (!splitQuery) {
  108. YouTubeModule.log("ERROR", "GET_PLAYLIST", "Invalid YouTube playlist URL query.");
  109. return reject(new Error("Invalid playlist URL."));
  110. }
  111. const playlistId = splitQuery[1];
  112. return async.waterfall(
  113. [
  114. next => {
  115. let songs = [];
  116. let nextPageToken = "";
  117. async.whilst(
  118. next => {
  119. YouTubeModule.log(
  120. "INFO",
  121. `Getting playlist progress for job (${this.toString()}): ${
  122. songs.length
  123. } songs gotten so far. Is there a next page: ${nextPageToken !== undefined}.`
  124. );
  125. next(null, nextPageToken !== undefined);
  126. },
  127. next => {
  128. // Add 250ms delay between each job request
  129. setTimeout(() => {
  130. YouTubeModule.runJob("GET_PLAYLIST_PAGE", { playlistId, nextPageToken }, this)
  131. // eslint-disable-next-line no-loop-func
  132. .then(response => {
  133. songs = songs.concat(response.songs);
  134. nextPageToken = response.nextPageToken;
  135. next();
  136. })
  137. // eslint-disable-next-line no-loop-func
  138. .catch(err => {
  139. next(err);
  140. });
  141. }, 250);
  142. },
  143. err => {
  144. next(err, songs);
  145. }
  146. );
  147. },
  148. (songs, next) => {
  149. next(
  150. null,
  151. songs.map(song => song.contentDetails.videoId)
  152. );
  153. },
  154. (songs, next) => {
  155. if (!payload.musicOnly) return next(true, { songs });
  156. return YouTubeModule.runJob(
  157. "FILTER_MUSIC_VIDEOS",
  158. {
  159. videoIds: songs.slice()
  160. },
  161. this
  162. )
  163. .then(filteredSongs => {
  164. next(null, { filteredSongs, songs });
  165. })
  166. .catch(next);
  167. }
  168. ],
  169. (err, response) => {
  170. if (err && err !== true) {
  171. YouTubeModule.log("ERROR", "GET_PLAYLIST", "Some error has occurred.", err.message);
  172. reject(new Error("Some error has occurred."));
  173. } else {
  174. resolve({ songs: response.filteredSongs ? response.filteredSongs.songIds : response.songs });
  175. }
  176. }
  177. );
  178. });
  179. }
  180. /**
  181. * Returns a a page from a YouTube playlist. Is used internally by GET_PLAYLIST.
  182. *
  183. * @param {object} payload - object that contains the payload
  184. * @param {boolean} payload.playlistId - the playlist id to get videos from
  185. * @param {boolean} payload.nextPageToken - the nextPageToken to use
  186. * @param {string} payload.url - the url of the YouTube playlist
  187. * @returns {Promise} - returns promise (reject, resolve)
  188. */
  189. GET_PLAYLIST_PAGE(payload) {
  190. // payload includes: playlistId, nextPageToken
  191. return new Promise((resolve, reject) => {
  192. const nextPageToken = payload.nextPageToken ? `pageToken=${payload.nextPageToken}` : "";
  193. const videosPerPage = 50;
  194. const youtubeParams = [
  195. "part=contentDetails",
  196. `playlistId=${encodeURIComponent(payload.playlistId)}`,
  197. `maxResults=${videosPerPage}`,
  198. `key=${config.get("apis.youtube.key")}`,
  199. nextPageToken
  200. ].join("&");
  201. request(
  202. {
  203. url: `https://www.googleapis.com/youtube/v3/playlistItems?${youtubeParams}`,
  204. timeout: 30000,
  205. agent: false,
  206. pool: { maxSockets: 100 }
  207. },
  208. async (err, res, body) => {
  209. if (err) {
  210. YouTubeModule.log("ERROR", "GET_PLAYLIST_PAGE", `${err.message}`);
  211. return reject(new Error("An error has occured. Please try again later."));
  212. }
  213. body = JSON.parse(body);
  214. if (body.error) {
  215. YouTubeModule.log("ERROR", "GET_PLAYLIST_PAGE", `${body.error.message}`);
  216. return reject(new Error("An error has occured. Please try again later."));
  217. }
  218. const songs = body.items;
  219. if (body.nextPageToken) return resolve({ nextPageToken: body.nextPageToken, songs });
  220. return resolve({ songs });
  221. }
  222. );
  223. });
  224. }
  225. /**
  226. * Filters a list of YouTube videos so that they only contains videos with music. Is used internally by GET_PLAYLIST
  227. *
  228. * @param {object} payload - object that contains the payload
  229. * @param {Array} payload.videoIds - an array of YouTube videoIds to filter through
  230. * @param {Array} payload.page - the current page/set of video's to get, starting at 0. If left null, 0 is assumed. Will recurse.
  231. * @returns {Promise} - returns promise (reject, resolve)
  232. */
  233. FILTER_MUSIC_VIDEOS(payload) {
  234. return new Promise((resolve, reject) => {
  235. const page = payload.page ? payload.page : 0;
  236. const videosPerPage = 50; // 50 is the max I believe
  237. const localVideoIds = payload.videoIds.splice(page * 50, videosPerPage);
  238. if (localVideoIds.length === 0) {
  239. return resolve({ videoIds: [] });
  240. }
  241. const youtubeParams = [
  242. "part=topicDetails",
  243. `id=${encodeURIComponent(localVideoIds.join(","))}`,
  244. `maxResults=${videosPerPage}`,
  245. `key=${config.get("apis.youtube.key")}`
  246. ].join("&");
  247. return request(
  248. {
  249. url: `https://www.googleapis.com/youtube/v3/videos?${youtubeParams}`,
  250. timeout: 30000,
  251. agent: false,
  252. pool: { maxSockets: 100 }
  253. },
  254. (err, res, body) => {
  255. if (err) {
  256. YouTubeModule.log("ERROR", "FILTER_MUSIC_VIDEOS", `${err.message}`);
  257. return reject(new Error("Failed to find playlist from YouTube"));
  258. }
  259. body = JSON.parse(body);
  260. if (body.error) {
  261. YouTubeModule.log("ERROR", "FILTER_MUSIC_VIDEOS", `${body.error.message}`);
  262. return reject(new Error("An error has occured. Please try again later."));
  263. }
  264. const songIds = [];
  265. body.items.forEach(item => {
  266. const songId = item.id;
  267. if (!item.topicDetails) return;
  268. if (item.topicDetails.relevantTopicIds.indexOf("/m/04rlf") !== -1) {
  269. songIds.push(songId);
  270. }
  271. });
  272. return YouTubeModule.runJob(
  273. "FILTER_MUSIC_VIDEOS",
  274. { videoIds: payload.videoIds, page: page + 1 },
  275. this
  276. )
  277. .then(result => {
  278. resolve({ songIds: songIds.concat(result.songIds) });
  279. })
  280. .catch(err => {
  281. reject(err);
  282. });
  283. }
  284. );
  285. });
  286. }
  287. }
  288. export default new _YouTubeModule();