youtubev1.js 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535
  1. console.log('v1')
  2. printable = (platform) => {
  3. return platform === "WEB";
  4. }
  5. parseCodecs = (format) => {
  6. const mimeType = format['mimeType']
  7. if (!mimeType) {
  8. return {};
  9. }
  10. const regex = /(?<mimetype>[^/]+\/[^;]+)(?:;\s*codecs="?(?<codecs>[^"]+))?/;
  11. const match = mimeType.match(regex);
  12. if (!match) {
  13. return {};
  14. }
  15. const codecs = match.groups.codecs;
  16. if (!codecs) {
  17. return {};
  18. }
  19. const splitCodecs = codecs.trim().replace(/,$/, '').split(',').map(str => str.trim()).filter(Boolean);
  20. let vcodec = null;
  21. let acodec = null;
  22. for (const fullCodec of splitCodecs) {
  23. const codec = fullCodec.split('.')[0];
  24. if (['avc1', 'avc2', 'avc3', 'avc4', 'vp9', 'vp8', 'hev1', 'hev2', 'h263', 'h264', 'mp4v', 'hvc1', 'av01', 'theora'].includes(codec)) {
  25. if (!vcodec) {
  26. vcodec = fullCodec;
  27. }
  28. } else if (['mp4a', 'opus', 'vorbis', 'mp3', 'aac', 'ac-3', 'ec-3', 'eac3', 'dtsc', 'dtse', 'dtsh', 'dtsl'].includes(codec)) {
  29. if (!acodec) {
  30. acodec = fullCodec;
  31. }
  32. } else {
  33. console.log(`WARNING: Unknown codec ${fullCodec}`);
  34. }
  35. }
  36. if (!vcodec && !acodec) {
  37. if (splitCodecs.length === 2) {
  38. return {
  39. vcodec: splitCodecs[0],
  40. acodec: splitCodecs[1]
  41. };
  42. }
  43. } else {
  44. return {
  45. vcodec: vcodec,
  46. acodec: acodec
  47. };
  48. }
  49. return {};
  50. }
  51. parseSetCookie = (headers) => {
  52. if (!headers) {
  53. return ""
  54. }
  55. const setCookie = headers['Set-Cookie']
  56. if (!setCookie) {
  57. return ""
  58. }
  59. console.log(`setCookie: ${setCookie}`)
  60. let result = 'PREF=hl=en&tz=UTC; SOCS=CAI; GPS=1; ';
  61. const needCookieNames = ['YSC', 'VISITOR_INFO1_LIVE', 'VISITOR_PRIVACY_METADATA'];
  62. for (const i in needCookieNames) {
  63. const cookieName = needCookieNames[i];
  64. const regexp = new RegExp(`${cookieName}=([^;,]+)`)
  65. const match = setCookie.match(regexp)
  66. if (match && match.length === 2) {
  67. const cookieValue = match[1]
  68. if (i != needCookieNames.length - 1) {
  69. result += `${cookieName}=${cookieValue}; `
  70. } else {
  71. result += `${cookieName}=${cookieValue}`
  72. }
  73. }
  74. }
  75. console.log(`current cookie: ${result}`)
  76. return result;
  77. }
  78. request = async (method, url, data = null, headers = {}, requestId, platform) => {
  79. // if (platform === "WEB") {
  80. // url = url.replace("https://www.youtube.com/", "http://43.198.215.27:80/");
  81. // url = url.replace("https://music.youtube.com/", "http://43.198.215.27:80/");
  82. // }
  83. // if (platform === "LOCAL") {
  84. // url = url.replace("https://www.youtube.com/", "http://127.0.0.1:80/");
  85. // url = url.replace("https://music.youtube.com/", "http://127.0.0.1:80/");
  86. // }
  87. console.log(`request url:${url}`)
  88. console.log(`request data:${data}`)
  89. console.log(`request method:${method}`)
  90. console.log(`request headers:${JSON.stringify((headers))}`)
  91. if (platform === "WEB" || platform === "LOCAL") {
  92. const res = await fetch(url, {
  93. 'mode': 'cors',
  94. 'method': method,
  95. 'headers': headers,
  96. 'body': data
  97. })
  98. const resData = await res.text()
  99. return Promise.resolve({
  100. 'data': resData,
  101. 'headers': res.headers
  102. });
  103. }
  104. return new Promise((resolve, reject) => {
  105. AF.request(url, method, data, headers, requestId, (data, headers, err) => {
  106. if (err) {
  107. console.log(`request error: ${err}`);
  108. reject(err);
  109. } else {
  110. console.log(`response headers: ${headers}`);
  111. resolve({
  112. 'data': data,
  113. 'headers': JSON.parse(headers)
  114. });
  115. }
  116. });
  117. })
  118. }
  119. isLiveContent = video => {
  120. const badgets = video["badges"]
  121. if (badgets && badgets.length > 0) {
  122. for (const badge of badgets) {
  123. if (badge["metadataBadgeRenderer"] && badge["metadataBadgeRenderer"]["style"] === "BADGE_STYLE_TYPE_LIVE_NOW") {
  124. return true
  125. }
  126. }
  127. }
  128. const publishText = video["publishedTimeText"]?.["simpleText"];
  129. if (!publishText) {
  130. return true
  131. }
  132. const livePublishTexts = [
  133. "直播", // 中文
  134. "Stream", // 英语
  135. "Diffusé", // 法语
  136. "gestreamt", // 德语
  137. "Emitido hace", // 西班牙语
  138. "Transmitido há"// 西班牙
  139. ]
  140. for (const liveItem of livePublishTexts) {
  141. if (publishText.indexOf(liveItem) >= 0) {
  142. return true
  143. }
  144. }
  145. return false
  146. }
  147. detail = async (url, requestId, platform) => {
  148. try {
  149. // fetch recommend
  150. const recommendInfo = [];
  151. const htmlResp = await request('GET', `${url}&bpctr=9999999999&has_verified=1`, null, {
  152. 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/92.0.4515.107 Safari/537.36',
  153. 'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
  154. 'Accept-Language': 'en-us,en;q=0.5',
  155. 'Sec-Fetch-Mode': 'navigate',
  156. 'Accept-Encoding': 'gzip, deflate, br',
  157. 'Cookie': 'PREF=hl=en&tz=UTC; SOCS=CAI'
  158. }, requestId, platform);
  159. let {data: html, headers: htmlHeaders} = htmlResp;
  160. let regex = /var ytInitialPlayerResponse\s*=\s*({.*?});/;
  161. let match = html.match(regex);
  162. if (match) {
  163. const ytInitialPlayerResponse = JSON.parse(match[1]);
  164. console.log(ytInitialPlayerResponse);
  165. const ytInitialDataMatch = html.match(/var ytInitialData\s*=\s*({.*?});/);
  166. if (ytInitialDataMatch && ytInitialDataMatch.length === 2) {
  167. const ytInitialData = JSON.parse(ytInitialDataMatch[1]);
  168. console.log(ytInitialData);
  169. for (const item of ytInitialData["contents"]?.["twoColumnWatchNextResults"]?.["secondaryResults"]?.["secondaryResults"]?.["results"] || []) {
  170. if (item["compactVideoRenderer"]) {
  171. const recommendVideo = item["compactVideoRenderer"];
  172. console.log(`recommend video: ${JSON.stringify(recommendVideo)}`);
  173. if (recommendVideo["videoId"] && !isLiveContent(recommendVideo)) {
  174. recommendInfo.push({
  175. "type": "gridVideoRenderer",
  176. "videoId": recommendVideo["videoId"],
  177. "title": recommendVideo["title"]?.["simpleText"],
  178. "thumbnails": recommendVideo["thumbnail"]?.["thumbnails"],
  179. "channelName": recommendVideo["longBylineText"]?.["runs"]?.[0]?.["text"],
  180. "publishedTimeText": recommendVideo["publishedTimeText"]?.["simpleText"],
  181. "viewCountText": recommendVideo["viewCountText"]?.["simpleText"],
  182. "shortViewCountText": recommendVideo["shortViewCountText"]?.["simpleText"],
  183. "lengthText": recommendVideo["lengthText"]?.["simpleText"]
  184. })
  185. }
  186. }
  187. }
  188. }
  189. }
  190. // android
  191. let thumbnails = [];
  192. let originFormats = [];
  193. let originVideoDetails = undefined;
  194. try {
  195. const apiUrl = `https://www.youtube.com/youtubei/v1/player`;
  196. const apiResp = await request('POST', apiUrl, JSON.stringify({
  197. "context": {
  198. "client": {
  199. "clientVersion": "19.50.40",
  200. "androidSdkVersion": 30,
  201. "clientName": "ANDROID",
  202. "osName": "android",
  203. "osVersion": "11",
  204. "userAgent": "com.google.android.youtube/19.50.40 (Linux; U; Android 11) gzip"
  205. }
  206. },
  207. "videoId": url.replace('https://www.youtube.com/watch?v=', ''),
  208. "playbackContext": {
  209. "contentPlaybackContext": {
  210. "html5Preference": "HTML5_PREF_WANTS"
  211. }
  212. },
  213. "params": "2AMB"
  214. }), {
  215. 'Origin': "https://www.youtube.com",
  216. 'X-YouTube-Client-Version': '19.50.40',
  217. 'User-Agent': 'com.google.android.youtube/19.50.40 (Linux; U; Android 11) gzip',
  218. 'Content-Type': 'application/json'
  219. }, requestId, platform);
  220. let {data: apiData, _} = apiResp;
  221. console.log(`android api result: ${JSON.stringify(apiResp)}`);
  222. console.log(`${JSON.stringify(apiResp)}`);
  223. const res = JSON.parse(apiData);
  224. const currentFormats = [];
  225. originVideoDetails = res["videoDetails"];
  226. for (const format of [].concat(res["streamingData"]["formats"] || []).concat(res["streamingData"]["adaptiveFormats"] || [])) {
  227. if (format) {
  228. format["from"] = "android"
  229. currentFormats.push(format);
  230. }
  231. }
  232. originFormats = originFormats.concat(currentFormats);
  233. } catch (e) {
  234. console.log(`can not found format android api error: ${e}`);
  235. const ret = {
  236. "code": -1,
  237. "msg": e.toString(),
  238. "requestId": requestId
  239. }
  240. console.log(`detail2 result error: ${JSON.stringify(ret)}`);
  241. return ret;
  242. }
  243. console.log(`after android api, format size:${originFormats.length}`);
  244. // fallback
  245. let fallbackFormats = []
  246. try {
  247. const apiUrl = `https://www.youtube.com/youtubei/v1/player`;
  248. const apiResp = await request('POST', apiUrl, JSON.stringify({
  249. "contentCheckOk": true,
  250. "context": {
  251. "client": {
  252. "clientName": "IOS",
  253. "clientVersion": "19.47.7",
  254. "deviceMake": "Apple",
  255. "deviceModel": "iPhone16,2",
  256. "hl": "en",
  257. "osName": "iPhone",
  258. "osVersion": "17.5.1.21F90",
  259. "timeZone": "UTC",
  260. "userAgent": "com.google.ios.youtube/19.47.7 (iPhone16,2; U; CPU iOS 17_5_1 like Mac OS X;)",
  261. "gl": "US",
  262. "utcOffsetMinutes": 0
  263. }
  264. },
  265. "videoId": url.replace('https://www.youtube.com/watch?v=', '')
  266. }), {
  267. 'User-Agent': 'com.google.ios.youtube/19.47.7 (iPhone16,2; U; CPU iOS 17_5_1 like Mac OS X;)',
  268. 'Content-Type': 'application/json'
  269. }, requestId, platform);
  270. let {data: apiData, _} = apiResp;
  271. console.log(`android api result: ${JSON.stringify(apiResp)}`);
  272. const res = JSON.parse(apiData);
  273. const currentFormats = [];
  274. for (const format of [].concat(res["streamingData"]["formats"] || []).concat(res["streamingData"]["adaptiveFormats"] || [])) {
  275. if (format) {
  276. format["from"] = "android"
  277. currentFormats.push(format);
  278. }
  279. }
  280. fallbackFormats = fallbackFormats.concat(currentFormats);
  281. } catch (e) {
  282. console.log(`can not found format android fallback api error: ${e}`);
  283. // const ret = {
  284. // "code": -1, "msg": e.toString(), "requestId": requestId
  285. // }
  286. // console.log(`detail2 fallback result error: ${JSON.stringify(ret)}`);
  287. // return ret;
  288. }
  289. let audioUrl = ""
  290. for (let format of fallbackFormats) {
  291. if (format["url"]) {
  292. const {vcodec, acodec} = parseCodecs(format)
  293. if (!vcodec && acodec) {
  294. audioUrl = format["url"]
  295. break
  296. }
  297. }
  298. }
  299. let itags = [];
  300. const formats = [];
  301. for (let format of originFormats) {
  302. if (printable(platform)) {
  303. console.log(format);
  304. }
  305. if (format && itags.indexOf(format['itag']) === -1) {
  306. if (format["url"]) {
  307. const {vcodec, acodec} = parseCodecs(format)
  308. if (acodec && vcodec) {
  309. const current = {
  310. "width": format["width"] + "",
  311. "height": format["height"] + "",
  312. "type": format["mimeType"],
  313. "quality": format["qualityLabel"],
  314. "itag": format["itag"],
  315. "fps": format["fps"] + "",
  316. "bitrate": format["bitrate"] + "",
  317. "url": format["url"],
  318. "ext": "mp4",
  319. "vcodec": vcodec,
  320. "acodec": acodec,
  321. "vbr": "0",
  322. "abr": "0",
  323. "container": "mp4_dash",
  324. "from": format["from"],
  325. "source": format,
  326. "audioUrl": audioUrl,
  327. "videoUrl": format["url"]
  328. }
  329. formats.push(current)
  330. itags.push(format["itag"]);
  331. }
  332. }
  333. }
  334. }
  335. for (const item of originVideoDetails['thumbnail']['thumbnails']) {
  336. thumbnails.push({
  337. 'url': item['url'], 'width': item['width'] + "", 'height': item['height'] + ""
  338. })
  339. }
  340. formats.sort((a, b) => parseInt(a["height"]) - parseInt(b["height"]));
  341. const videoDetails = {
  342. "isLiveContent": originVideoDetails["isLiveContent"],
  343. "title": originVideoDetails["title"],
  344. "thumbnails": thumbnails,
  345. "description": originVideoDetails["shortDescription"],
  346. "lengthSeconds": originVideoDetails["lengthSeconds"],
  347. "viewCount": originVideoDetails["viewCount"],
  348. "keywords": originVideoDetails["keywords"],
  349. "author": originVideoDetails["author"],
  350. "channelID": originVideoDetails["channelId"],
  351. "recommendInfo": recommendInfo,
  352. "channelURL": `https://www.youtube.com/channel/${originVideoDetails["channelId"]}`,
  353. "videoId": url.replace('https://www.youtube.com/watch?v=', '')
  354. }
  355. const ret = {
  356. "code": 200,
  357. "msg": "",
  358. "data": {
  359. "videoDetails": videoDetails,
  360. "streamingData": {
  361. "formats": formats
  362. }
  363. },
  364. "id": "MusicDetailViewModel_detail_url",
  365. "requestId": requestId
  366. }
  367. console.log(`detail result: ${JSON.stringify(ret)}`);
  368. return ret;
  369. } catch (e) {
  370. const ret = {
  371. "code": -1,
  372. "msg": e.toString(),
  373. "requestId": requestId
  374. }
  375. console.log(`detail2 result error: ${JSON.stringify(ret)}`);
  376. console.log(e);
  377. return ret;
  378. }
  379. }
  380. search = async (keyword, next, requestId, platform) => {
  381. try {
  382. console.log(`search keyword: ${keyword}`);
  383. console.log(`search next: ${next}`);
  384. if (next) {
  385. const nextObject = JSON.parse(next);
  386. const key = nextObject["key"];
  387. const body = {
  388. context: {
  389. client: {
  390. clientName: "WEB",
  391. clientVersion: "2.20240506.01.00",
  392. },
  393. },
  394. continuation: nextObject["continuation"]
  395. };
  396. let res = await request('POST', `https://www.youtube.com/youtubei/v1/search?key=${key}`, JSON.stringify(body), {}, requestId, platform);
  397. const {data, _} = res;
  398. res = JSON.parse(data);
  399. const videos = [];
  400. for (const item of res["onResponseReceivedCommands"][0]["appendContinuationItemsAction"]["continuationItems"][0]["itemSectionRenderer"]["contents"]) {
  401. const video = item["videoRenderer"];
  402. if (printable(platform)) {
  403. console.log(video);
  404. }
  405. if (video && video["videoId"] && video["lengthText"] && !isLiveContent(video)) {
  406. videos.push({
  407. "type": "videoWithContextRenderer",
  408. "data": {
  409. "videoId": video["videoId"],
  410. "title": video["title"]?.["runs"]?.[0]?.["text"],
  411. "thumbnails": video["thumbnail"]?.["thumbnails"],
  412. "channelName": video["longBylineText"]?.["runs"]?.[0]?.["text"],
  413. "publishedTimeText": video["publishedTimeText"]?.["simpleText"],
  414. "viewCountText": video["viewCountText"]?.["simpleText"],
  415. "shortViewCountText": video["shortViewCountText"]?.["simpleText"],
  416. "lengthText": video["lengthText"]?.["simpleText"]
  417. }
  418. });
  419. }
  420. }
  421. const ret = {
  422. "code": 200,
  423. "msg": "",
  424. "data": {
  425. "data": videos,
  426. "next": JSON.stringify({
  427. "key": nextObject["key"],
  428. "continuation": res["onResponseReceivedCommands"]?.[0]?.["appendContinuationItemsAction"]?.["continuationItems"]?.[1]?.["continuationItemRenderer"]?.["continuationEndpoint"]?.["continuationCommand"]?.["token"],
  429. }),
  430. },
  431. "id": "MusicSearchResultViewModel_search_result",
  432. "requestId": requestId
  433. }
  434. console.log(`[next] search result: ${JSON.stringify(ret)}`);
  435. return ret;
  436. } else {
  437. let url = `https://www.youtube.com/results?q=${encodeURIComponent(keyword)}&sp=EgIQAQ%253D%253D`;
  438. const htmlRes = await request('GET', url, null, {}, requestId, platform);
  439. const {data: html, _} = htmlRes;
  440. let regex = /var ytInitialData\s*=\s*({.*?});/;
  441. let match = html.match(regex);
  442. if (!match || !match.length) {
  443. console.log("can not found ytInitialData");
  444. throw new Error('JSON not found: ytInitialData');
  445. }
  446. const ytInitialDataResp = JSON.parse(match[1]);
  447. if (printable(platform)) {
  448. console.log(ytInitialDataResp);
  449. }
  450. const videos = [];
  451. const contents = ytInitialDataResp["contents"]?.["twoColumnSearchResultsRenderer"]?.["primaryContents"]?.["sectionListRenderer"]?.["contents"] || []
  452. for (const content of contents) {
  453. const currentContents = content["itemSectionRenderer"]?.["contents"]
  454. if (Array.isArray(currentContents)) {
  455. for (const currentContent of currentContents) {
  456. if (currentContent["videoRenderer"]) {
  457. const video = currentContent["videoRenderer"];
  458. if (printable(platform)) {
  459. console.log(video);
  460. }
  461. if (video && video["videoId"] && video["lengthText"] && !isLiveContent(video)) {
  462. videos.push({
  463. "type": "videoWithContextRenderer",
  464. "data": {
  465. "videoId": video["videoId"],
  466. "title": video["title"]?.["runs"]?.[0]?.["text"],
  467. "thumbnails": video["thumbnail"]?.["thumbnails"],
  468. "channelName": video["longBylineText"]?.["runs"]?.[0]?.["text"],
  469. "publishedTimeText": video["publishedTimeText"]?.["simpleText"],
  470. "viewCountText": video["viewCountText"]?.["simpleText"],
  471. "shortViewCountText": video["shortViewCountText"]?.["simpleText"],
  472. "lengthText": video["lengthText"]?.["simpleText"]
  473. }
  474. });
  475. }
  476. }
  477. }
  478. }
  479. }
  480. let next = {};
  481. if (html.split("innertubeApiKey").length > 0) {
  482. next["key"] = html
  483. .split("innertubeApiKey")[1]
  484. .trim()
  485. .split(",")[0]
  486. .split('"')[2];
  487. }
  488. next["continuation"] = contents[contents.length - 1]?.["continuationItemRenderer"]?.["continuationEndpoint"]?.["continuationCommand"]?.["token"]
  489. const ret = {
  490. "code": 200,
  491. "msg": "",
  492. "data": {
  493. "data": videos,
  494. "next": JSON.stringify(next),
  495. },
  496. "id": "MusicSearchResultViewModel_search_result",
  497. "requestId": requestId
  498. }
  499. console.log(`unnext search result: ${JSON.stringify(ret)}`);
  500. return ret;
  501. }
  502. } catch (e) {
  503. const ret = {
  504. "code": -1,
  505. "msg": e.toString(),
  506. "requestId": requestId
  507. }
  508. console.log(`search result error: ${JSON.stringify(ret)}`);
  509. return ret;
  510. }
  511. }