youtube.js 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740
  1. /* eslint-disable */
  2. import async from "async";
  3. import config from "config";
  4. import * as rax from "retry-axios";
  5. import axios from "axios";
  6. import CoreClass from "../core";
  7. class RateLimitter {
  8. /**
  9. * Constructor
  10. *
  11. * @param {number} timeBetween - The time between each allowed YouTube request
  12. */
  13. constructor(timeBetween) {
  14. this.dateStarted = Date.now();
  15. this.timeBetween = timeBetween;
  16. }
  17. /**
  18. * Returns a promise that resolves whenever the ratelimit of a YouTube request is done
  19. *
  20. * @returns {Promise} - promise that gets resolved when the rate limit allows it
  21. */
  22. continue() {
  23. return new Promise(resolve => {
  24. if (Date.now() - this.dateStarted >= this.timeBetween) resolve();
  25. else setTimeout(resolve, this.dateStarted + this.timeBetween - Date.now());
  26. });
  27. }
  28. /**
  29. * Restart the rate limit timer
  30. */
  31. restart() {
  32. this.dateStarted = Date.now();
  33. }
  34. }
  35. let YouTubeModule;
  36. const quotas = [
  37. {
  38. type: "QUERIES_PER_DAY",
  39. limit: 10000
  40. },
  41. {
  42. type: "QUERIES_PER_MINUTE",
  43. limit: 1800000
  44. },
  45. {
  46. type: "QUERIES_PER_100_SECONDS",
  47. limit: 3000000
  48. }
  49. ];
  50. // const dummyApiCalls = [
  51. // {
  52. // quotaCost: 100,
  53. // date: new Date(new Date() - (1000 * 120))
  54. // },
  55. // {
  56. // quotaCost: 2,
  57. // date: new Date(new Date() - (1000 * 120))
  58. // },
  59. // {
  60. // quotaCost: 1,
  61. // date: new Date()
  62. // },
  63. // {
  64. // quotaCost: 100,
  65. // date: new Date()
  66. // }
  67. // ];
  68. const isQuotaExceeded = apiCalls => {
  69. const reversedApiCalls = apiCalls.slice().reverse();
  70. const sortedQuotas = quotas.sort((a, b) => a.limit > b.limit);
  71. let quotaExceeded = false;
  72. for (const quota of sortedQuotas) {
  73. let quotaUsed = 0;
  74. let dateCutoff = null;
  75. if (quota.type === "QUERIES_PER_MINUTE") dateCutoff = new Date() - 1000 * 60;
  76. else if (quota.type === "QUERIES_PER_100_SECONDS") dateCutoff = new Date() - 1000 * 100;
  77. else if (quota.type === "QUERIES_PER_DAY") {
  78. // Quota resets at midnight PT, this is my best guess to convert the current date to the last midnight PT
  79. dateCutoff = new Date();
  80. dateCutoff.setUTCMilliseconds(0);
  81. dateCutoff.setUTCSeconds(0);
  82. dateCutoff.setUTCMinutes(0);
  83. dateCutoff.setUTCHours(dateCutoff.getUTCHours() - 7);
  84. dateCutoff.setUTCHours(0);
  85. }
  86. for (const apiCall of reversedApiCalls) {
  87. if (apiCall.date >= dateCutoff) quotaUsed += apiCall.quotaCost;
  88. else break;
  89. }
  90. if (quotaUsed >= quota.limit) {
  91. quotaExceeded = true;
  92. break;
  93. }
  94. }
  95. return quotaExceeded;
  96. };
  97. const getQuotaStatus = apiCalls => {
  98. const reversedApiCalls = apiCalls.slice().reverse();
  99. const sortedQuotas = quotas.sort((a, b) => a.limit > b.limit);
  100. const status = {};
  101. for (const quota of sortedQuotas) {
  102. status[quota.type] = {
  103. quotaUsed: 0,
  104. limit: quota.limit,
  105. quotaExceeded: false
  106. };
  107. let dateCutoff = null;
  108. if (quota.type === "QUERIES_PER_MINUTE") dateCutoff = new Date() - 1000 * 60;
  109. else if (quota.type === "QUERIES_PER_100_SECONDS") dateCutoff = new Date() - 1000 * 100;
  110. else if (quota.type === "QUERIES_PER_DAY") {
  111. // Quota resets at midnight PT, this is my best guess to convert the current date to the last midnight PT
  112. dateCutoff = new Date();
  113. dateCutoff.setUTCMilliseconds(0);
  114. dateCutoff.setUTCSeconds(0);
  115. dateCutoff.setUTCMinutes(0);
  116. dateCutoff.setUTCHours(dateCutoff.getUTCHours() - 7);
  117. dateCutoff.setUTCHours(0);
  118. }
  119. for (const apiCall of reversedApiCalls) {
  120. if (apiCall.date >= dateCutoff) status[quota.type].quotaUsed += apiCall.quotaCost;
  121. else break;
  122. }
  123. if (status[quota.type].quotaUsed >= quota.limit && !status[quota.type].quotaExceeded)
  124. status[quota.type].quotaExceeded = true;
  125. }
  126. return status;
  127. };
  128. class _YouTubeModule extends CoreClass {
  129. // eslint-disable-next-line require-jsdoc
  130. constructor() {
  131. super("youtube", {
  132. concurrency: 1,
  133. priorities: {
  134. GET_PLAYLIST: 11
  135. }
  136. });
  137. YouTubeModule = this;
  138. }
  139. /**
  140. * Initialises the activities module
  141. *
  142. * @returns {Promise} - returns promise (reject, resolve)
  143. */
  144. initialize() {
  145. return new Promise(resolve => {
  146. this.rateLimiter = new RateLimitter(config.get("apis.youtube.rateLimit"));
  147. this.requestTimeout = config.get("apis.youtube.requestTimeout");
  148. this.axios = axios.create();
  149. this.axios.defaults.raxConfig = {
  150. instance: this.axios,
  151. retry: config.get("apis.youtube.retryAmount"),
  152. noResponseRetries: config.get("apis.youtube.retryAmount")
  153. };
  154. rax.attach(this.axios);
  155. this.apiCalls = [];
  156. resolve();
  157. });
  158. }
  159. /**
  160. * Fetches a list of songs from Youtube's API
  161. *
  162. * @param {object} payload - object that contains the payload
  163. * @param {string} payload.query - the query we'll pass to youtubes api
  164. * @param {string} payload.pageToken - (optional) if this exists, will search search youtube for a specific page reference
  165. * @returns {Promise} - returns promise (reject, resolve)
  166. */
  167. SEARCH(payload) {
  168. const params = {
  169. part: "snippet",
  170. q: payload.query,
  171. type: "video",
  172. maxResults: 10
  173. };
  174. if (payload.pageToken) params.pageToken = payload.pageToken;
  175. return new Promise((resolve, reject) => {
  176. YouTubeModule.runJob(
  177. "API_SEARCH",
  178. {
  179. params
  180. },
  181. this
  182. )
  183. .then(({ response }) => {
  184. const { data } = response;
  185. return resolve(data);
  186. })
  187. .catch(err => {
  188. YouTubeModule.log("ERROR", "SEARCH", `${err.message}`);
  189. return reject(new Error("An error has occured. Please try again later."));
  190. });
  191. });
  192. }
  193. /**
  194. * Gets the details of a song using the YouTube API
  195. *
  196. * @param {object} payload - object that contains the payload
  197. * @param {string} payload.youtubeId - the YouTube API id of the song
  198. * @returns {Promise} - returns promise (reject, resolve)
  199. */
  200. GET_SONG(payload) {
  201. return new Promise((resolve, reject) => {
  202. const params = {
  203. part: "snippet,contentDetails,statistics,status",
  204. id: payload.youtubeId
  205. };
  206. YouTubeModule.runJob("API_GET_VIDEOS", { params }, this)
  207. .then(({ response }) => {
  208. const { data } = response;
  209. if (data.items[0] === undefined)
  210. return reject(new Error("The specified video does not exist or cannot be publicly accessed."));
  211. // TODO Clean up duration converter
  212. let dur = data.items[0].contentDetails.duration;
  213. dur = dur.replace("PT", "");
  214. let duration = 0;
  215. dur = dur.replace(/([\d]*)H/, (v, v2) => {
  216. v2 = Number(v2);
  217. duration = v2 * 60 * 60;
  218. return "";
  219. });
  220. dur = dur.replace(/([\d]*)M/, (v, v2) => {
  221. v2 = Number(v2);
  222. duration += v2 * 60;
  223. return "";
  224. });
  225. // eslint-disable-next-line no-unused-vars
  226. dur = dur.replace(/([\d]*)S/, (v, v2) => {
  227. v2 = Number(v2);
  228. duration += v2;
  229. return "";
  230. });
  231. const song = {
  232. youtubeId: data.items[0].id,
  233. title: data.items[0].snippet.title,
  234. thumbnail: data.items[0].snippet.thumbnails.default.url,
  235. duration
  236. };
  237. return resolve({ song });
  238. })
  239. .catch(err => {
  240. YouTubeModule.log("ERROR", "GET_SONG", `${err.message}`);
  241. return reject(new Error("An error has occured. Please try again later."));
  242. });
  243. });
  244. }
  245. /**
  246. * Gets the id of the channel upload playlist
  247. *
  248. * @param {object} payload - object that contains the payload
  249. * @param {string} payload.id - the id of the YouTube channel. Optional: can be left out if specifying a username.
  250. * @param {string} payload.username - the username of the YouTube channel. Only gets used if no id is specified.
  251. * @returns {Promise} - returns promise (reject, resolve)
  252. */
  253. GET_CHANNEL_UPLOADS_PLAYLIST_ID(payload) {
  254. return new Promise((resolve, reject) => {
  255. const params = {
  256. part: "id,contentDetails"
  257. };
  258. if (payload.id) params.id = payload.id;
  259. else params.forUsername = payload.username;
  260. YouTubeModule.runJob(
  261. "API_GET_CHANNELS",
  262. {
  263. params
  264. },
  265. this
  266. )
  267. .then(({ response }) => {
  268. const { data } = response;
  269. if (data.pageInfo.totalResults === 0) return reject(new Error("Channel not found."));
  270. const playlistId = data.items[0].contentDetails.relatedPlaylists.uploads;
  271. return resolve({ playlistId });
  272. })
  273. .catch(err => {
  274. YouTubeModule.log("ERROR", "GET_CHANNEL_UPLOADS_PLAYLIST_ID", `${err.message}`);
  275. if (err.message === "Request failed with status code 404") {
  276. return reject(new Error("Channel not found. Is the channel public/unlisted?"));
  277. }
  278. return reject(new Error("An error has occured. Please try again later."));
  279. });
  280. });
  281. }
  282. /**
  283. * Returns an array of songs taken from a YouTube playlist
  284. *
  285. * @param {object} payload - object that contains the payload
  286. * @param {boolean} payload.musicOnly - whether to return music videos or all videos in the playlist
  287. * @param {string} payload.url - the url of the YouTube playlist
  288. * @returns {Promise} - returns promise (reject, resolve)
  289. */
  290. GET_PLAYLIST(payload) {
  291. return new Promise((resolve, reject) => {
  292. const regex = /[\\?&]list=([^&#]*)/;
  293. const splitQuery = regex.exec(payload.url);
  294. if (!splitQuery) {
  295. YouTubeModule.log("ERROR", "GET_PLAYLIST", "Invalid YouTube playlist URL query.");
  296. reject(new Error("Invalid playlist URL."));
  297. return;
  298. }
  299. const playlistId = splitQuery[1];
  300. async.waterfall(
  301. [
  302. next => {
  303. let songs = [];
  304. let nextPageToken = "";
  305. async.whilst(
  306. next => {
  307. YouTubeModule.log(
  308. "INFO",
  309. `Getting playlist progress for job (${this.toString()}): ${
  310. songs.length
  311. } songs gotten so far. Is there a next page: ${nextPageToken !== undefined}.`
  312. );
  313. next(null, nextPageToken !== undefined);
  314. },
  315. next => {
  316. // Add 250ms delay between each job request
  317. setTimeout(() => {
  318. YouTubeModule.runJob("GET_PLAYLIST_PAGE", { playlistId, nextPageToken }, this)
  319. .then(response => {
  320. songs = songs.concat(response.songs);
  321. nextPageToken = response.nextPageToken;
  322. next();
  323. })
  324. .catch(err => next(err));
  325. }, 250);
  326. },
  327. err => next(err, songs)
  328. );
  329. },
  330. (songs, next) =>
  331. next(
  332. null,
  333. songs.map(song => song.contentDetails.videoId)
  334. ),
  335. (songs, next) => {
  336. if (!payload.musicOnly) return next(true, { songs });
  337. return YouTubeModule.runJob("FILTER_MUSIC_VIDEOS", { videoIds: songs.slice() }, this)
  338. .then(filteredSongs => next(null, { filteredSongs, songs }))
  339. .catch(next);
  340. }
  341. ],
  342. (err, response) => {
  343. if (err && err !== true) {
  344. YouTubeModule.log("ERROR", "GET_PLAYLIST", "Some error has occurred.", err.message);
  345. reject(new Error(err.message));
  346. } else {
  347. resolve({ songs: response.filteredSongs ? response.filteredSongs.videoIds : response.songs });
  348. }
  349. }
  350. );
  351. });
  352. }
  353. /**
  354. * Returns a a page from a YouTube playlist. Is used internally by GET_PLAYLIST and GET_CHANNEL.
  355. *
  356. * @param {object} payload - object that contains the payload
  357. * @param {boolean} payload.playlistId - the playlist id to get videos from
  358. * @param {boolean} payload.nextPageToken - the nextPageToken to use
  359. * @param {string} payload.url - the url of the YouTube playlist
  360. * @returns {Promise} - returns promise (reject, resolve)
  361. */
  362. GET_PLAYLIST_PAGE(payload) {
  363. return new Promise((resolve, reject) => {
  364. const params = {
  365. part: "contentDetails",
  366. playlistId: payload.playlistId,
  367. maxResults: 50
  368. };
  369. if (payload.nextPageToken) params.pageToken = payload.nextPageToken;
  370. YouTubeModule.runJob(
  371. "GET_PLAYLIST_ITEMS",
  372. {
  373. params
  374. },
  375. this
  376. )
  377. .then(({ response }) => {
  378. const { data } = response;
  379. const songs = data.items;
  380. if (data.nextPageToken) return resolve({ nextPageToken: data.nextPageToken, songs });
  381. return resolve({ songs });
  382. })
  383. .catch(err => {
  384. YouTubeModule.log("ERROR", "GET_PLAYLIST_PAGE", `${err.message}`);
  385. if (err.message === "Request failed with status code 404") {
  386. return reject(new Error("Playlist not found. Is the playlist public/unlisted?"));
  387. }
  388. return reject(new Error("An error has occured. Please try again later."));
  389. });
  390. });
  391. }
  392. /**
  393. * Filters a list of YouTube videos so that they only contains videos with music. Is used internally by GET_PLAYLIST
  394. *
  395. * @param {object} payload - object that contains the payload
  396. * @param {Array} payload.videoIds - an array of YouTube videoIds to filter through
  397. * @param {Array} payload.page - the current page/set of video's to get, starting at 0. If left null, 0 is assumed. Will recurse.
  398. * @returns {Promise} - returns promise (reject, resolve)
  399. */
  400. FILTER_MUSIC_VIDEOS(payload) {
  401. return new Promise((resolve, reject) => {
  402. const page = payload.page ? payload.page : 0;
  403. const videosPerPage = 50;
  404. const localVideoIds = payload.videoIds.splice(page * 50, videosPerPage);
  405. if (localVideoIds.length === 0) {
  406. resolve({ videoIds: [] });
  407. return;
  408. }
  409. const params = {
  410. part: "topicDetails",
  411. id: localVideoIds.join(","),
  412. maxResults: videosPerPage
  413. };
  414. YouTubeModule.runJob("API_GET_VIDEOS", { params }, this)
  415. .then(({ response }) => {
  416. const { data } = response;
  417. const videoIds = [];
  418. data.items.forEach(item => {
  419. const videoId = item.id;
  420. if (!item.topicDetails) return;
  421. if (item.topicDetails.topicCategories.indexOf("https://en.wikipedia.org/wiki/Music") !== -1)
  422. videoIds.push(videoId);
  423. });
  424. return YouTubeModule.runJob(
  425. "FILTER_MUSIC_VIDEOS",
  426. { videoIds: payload.videoIds, page: page + 1 },
  427. this
  428. )
  429. .then(result => resolve({ videoIds: videoIds.concat(result.videoIds) }))
  430. .catch(err => reject(err));
  431. })
  432. .catch(err => {
  433. YouTubeModule.log("ERROR", "FILTER_MUSIC_VIDEOS", `${err.message}`);
  434. return reject(new Error("Failed to find playlist from YouTube"));
  435. });
  436. });
  437. }
  438. /**
  439. * Returns an array of songs taken from a YouTube channel
  440. *
  441. * @param {object} payload - object that contains the payload
  442. * @param {boolean} payload.musicOnly - whether to return music videos or all videos in the channel
  443. * @param {string} payload.url - the url of the YouTube channel
  444. * @returns {Promise} - returns promise (reject, resolve)
  445. */
  446. GET_CHANNEL(payload) {
  447. return new Promise((resolve, reject) => {
  448. const regex = /\.[\w]+\/(?:(?:channel\/(UC[0-9A-Za-z_-]{21}[AQgw]))|(?:user\/?([\w-]+))|(?:c\/?([\w-]+))|(?:\/?([\w-]+)))/;
  449. const splitQuery = regex.exec(payload.url);
  450. if (!splitQuery) {
  451. YouTubeModule.log("ERROR", "GET_CHANNEL", "Invalid YouTube channel URL query.");
  452. reject(new Error("Invalid playlist URL."));
  453. return;
  454. }
  455. const channelId = splitQuery[1];
  456. const channelUsername = splitQuery[2];
  457. const channelCustomUrl = splitQuery[3]; // NOTE: not supported yet
  458. const channelUsernameOrCustomUrl = splitQuery[4]; // NOTE: customUrl not supported yet
  459. console.log(`Channel id: ${channelId}`);
  460. console.log(`Channel username: ${channelUsername}`);
  461. console.log(`Channel custom URL: ${channelCustomUrl}`);
  462. console.log(`Channel username or custom URL: ${channelUsernameOrCustomUrl}`);
  463. async.waterfall(
  464. [
  465. next => {
  466. const payload = {};
  467. if (channelId) payload.id = channelId;
  468. else if (channelUsername || channelUsernameOrCustomUrl) payload.username = channelUsername;
  469. else return next("No id/username given.");
  470. return YouTubeModule.runJob("GET_CHANNEL_UPLOADS_PLAYLIST_ID", payload, this)
  471. .then(({ playlistId }) => {
  472. next(null, playlistId);
  473. })
  474. .catch(err => next(err));
  475. },
  476. next => {
  477. let songs = [];
  478. let nextPageToken = "";
  479. async.whilst(
  480. next => {
  481. YouTubeModule.log(
  482. "INFO",
  483. `Getting channel progress for job (${this.toString()}): ${
  484. songs.length
  485. } songs gotten so far. Is there a next page: ${nextPageToken !== undefined}.`
  486. );
  487. next(null, nextPageToken !== undefined);
  488. },
  489. next => {
  490. // Add 250ms delay between each job request
  491. setTimeout(() => {
  492. YouTubeModule.runJob("GET_PLAYLIST_PAGE", { playlistId, nextPageToken }, this)
  493. .then(response => {
  494. songs = songs.concat(response.songs);
  495. nextPageToken = response.nextPageToken;
  496. next();
  497. })
  498. .catch(err => next(err));
  499. }, 250);
  500. },
  501. err => next(err, songs)
  502. );
  503. },
  504. (songs, next) =>
  505. next(
  506. null,
  507. songs.map(song => song.contentDetails.videoId)
  508. ),
  509. (songs, next) => {
  510. if (!payload.musicOnly) return next(true, { songs });
  511. return YouTubeModule.runJob("FILTER_MUSIC_VIDEOS", { videoIds: songs.slice() }, this)
  512. .then(filteredSongs => next(null, { filteredSongs, songs }))
  513. .catch(next);
  514. }
  515. ],
  516. (err, response) => {
  517. if (err && err !== true) {
  518. YouTubeModule.log("ERROR", "GET_CHANNEL", "Some error has occurred.", err.message);
  519. reject(new Error(err.message));
  520. } else {
  521. resolve({ songs: response.filteredSongs ? response.filteredSongs.videoIds : response.songs });
  522. }
  523. }
  524. );
  525. });
  526. }
  527. API_GET_VIDEOS(payload) {
  528. return new Promise((resolve, reject) => {
  529. const { params } = payload;
  530. YouTubeModule.runJob(
  531. "API_CALL",
  532. {
  533. url: "https://www.googleapis.com/youtube/v3/videos",
  534. params: {
  535. key: config.get("apis.youtube.key"),
  536. ...params
  537. },
  538. quotaCost: 1
  539. },
  540. this
  541. )
  542. .then(response => {
  543. resolve(response);
  544. })
  545. .catch(err => {
  546. reject(err);
  547. });
  548. });
  549. }
  550. API_GET_PLAYLIST_ITEMS(payload) {
  551. return new Promise((resolve, reject) => {
  552. const { params } = payload;
  553. YouTubeModule.runJob(
  554. "API_CALL",
  555. {
  556. url: "https://www.googleapis.com/youtube/v3/playlistItems",
  557. params: {
  558. key: config.get("apis.youtube.key"),
  559. ...params
  560. },
  561. quotaCost: 1
  562. },
  563. this
  564. )
  565. .then(response => {
  566. resolve(response);
  567. })
  568. .catch(err => {
  569. reject(err);
  570. });
  571. });
  572. }
  573. API_GET_CHANNELS(payload) {
  574. return new Promise((resolve, reject) => {
  575. const { params } = payload;
  576. YouTubeModule.runJob(
  577. "API_CALL",
  578. {
  579. url: "https://www.googleapis.com/youtube/v3/channels",
  580. params: {
  581. key: config.get("apis.youtube.key"),
  582. ...params
  583. },
  584. quotaCost: 1
  585. },
  586. this
  587. )
  588. .then(response => {
  589. resolve(response);
  590. })
  591. .catch(err => {
  592. reject(err);
  593. });
  594. });
  595. }
  596. API_SEARCH(payload) {
  597. return new Promise((resolve, reject) => {
  598. const { params } = payload;
  599. YouTubeModule.runJob(
  600. "API_CALL",
  601. {
  602. url: "https://www.googleapis.com/youtube/v3/search",
  603. params: {
  604. key: config.get("apis.youtube.key"),
  605. ...params
  606. },
  607. quotaCost: 100
  608. },
  609. this
  610. )
  611. .then(response => {
  612. resolve(response);
  613. })
  614. .catch(err => {
  615. reject(err);
  616. });
  617. });
  618. }
  619. API_CALL(payload) {
  620. return new Promise((resolve, reject) => {
  621. const { url, params, quotaCost } = payload;
  622. const quotaExceeded = isQuotaExceeded(YouTubeModule.apiCalls);
  623. if (quotaExceeded) reject(new Error("Quota has been exceeded. Please wait a while."));
  624. else {
  625. YouTubeModule.apiCalls.push({
  626. quotaCost,
  627. date: new Date()
  628. });
  629. YouTubeModule.axios
  630. .get(url, {
  631. params,
  632. timeout: YouTubeModule.requestTimeout
  633. })
  634. .then(response => {
  635. if (response.data.error) {
  636. reject(new Error(response.data.error));
  637. } else {
  638. resolve({ response });
  639. }
  640. })
  641. .catch(err => {
  642. reject(err);
  643. });
  644. }
  645. });
  646. }
  647. }
  648. export default new _YouTubeModule();