youtube_audio.js 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586
  1. console.log('audio')
  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 = {}, platform) => {
  79. if (platform === "WEB") {
  80. url = url.replace("https://www.youtube.com/", "http://127.0.0.1:80/");
  81. url = url.replace("https://music.youtube.com/", "http://127.0.0.1:80/");
  82. }
  83. console.log(`request url:${url}`)
  84. console.log(`request data:${data}`)
  85. console.log(`request method:${method}`)
  86. console.log(`request headers:${JSON.stringify((headers))}`)
  87. if (platform === "WEB") {
  88. const res = await fetch(url, {
  89. 'mode': 'cors',
  90. 'method': method,
  91. 'headers': headers,
  92. 'body': data
  93. })
  94. const resData = await res.text()
  95. return Promise.resolve({
  96. 'data': resData,
  97. 'headers': res.headers
  98. });
  99. }
  100. return new Promise((resolve, reject) => {
  101. AF.request(url, method, data, headers, (data, headers, err) => {
  102. if (err) {
  103. reject(err);
  104. } else {
  105. console.log(`response headers: ${headers}`);
  106. resolve({
  107. 'data': data,
  108. 'headers': JSON.parse(headers)
  109. });
  110. }
  111. });
  112. })
  113. }
  114. getStringBetween = (string, needleStart, needleEnd, offsetStart = 0, offsetEnd = 0) => {
  115. const x = string.indexOf(needleStart);
  116. const y = needleEnd ? string.indexOf(needleEnd, x) : string.length;
  117. return string.substring(x + needleStart.length + offsetEnd, y + offsetStart);
  118. }
  119. findFunction = (jsCode, regexp, platform) => {
  120. const match = jsCode.match(regexp)
  121. if (!match && match.length <= 1) {
  122. return null;
  123. }
  124. let result = "";
  125. const dependencyMatches = match[0].match(/([$a-zA-Z0-9]+\.[$a-zA-Z0-9]+)/g)
  126. const existDependencies = [];
  127. if (dependencyMatches && dependencyMatches.length >= 1) {
  128. for (let currentMatch of dependencyMatches) {
  129. const varName = currentMatch.split('.')[0];
  130. if (existDependencies.includes(varName)) {
  131. continue
  132. }
  133. if (!/^[$A-Za-z]{2,}$/.test(varName)) {
  134. continue
  135. }
  136. let reg = "var (\$)?" + varName + "={(.|\\n)*?};"
  137. const varNameMatch = jsCode.match(new RegExp(reg), 'ig');
  138. if (varNameMatch && varNameMatch.length >= 1) {
  139. result += varNameMatch[0] + "\n";
  140. }
  141. existDependencies.push(varName);
  142. }
  143. }
  144. result += `\n${match[0]}`;
  145. if (printable(platform)) {
  146. console.log(`findFunction result: ` + result);
  147. }
  148. return eval(result);
  149. };
  150. const cache = {};
  151. fetchBaseJSContent = async (baseJsUrl, platform) => {
  152. const cacheKey = `jsContent:${baseJsUrl}`;
  153. if (cache[cacheKey]) {
  154. console.log(`baseContent from cache: ${baseJsUrl}`);
  155. return cache[cacheKey];
  156. }
  157. console.log(`extract baseUrl: ${baseJsUrl}`);
  158. const baseContentResp = await request('GET', baseJsUrl, null, {
  159. 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/87.0.4280.101 Safari/537.36',
  160. }, platform);
  161. const {data, _} = baseContentResp;
  162. cache[cacheKey] = data;
  163. return data;
  164. }
  165. extractJSSignatureFunction = async (baseJsUrl, platform) => {
  166. const cacheKey = `jsSign:${baseJsUrl}`
  167. if (cache[cacheKey]) {
  168. console.log(`jsSign from cache: ${baseJsUrl}`);
  169. return cache[cacheKey];
  170. }
  171. const baseJsContent = await fetchBaseJSContent(baseJsUrl, platform);
  172. const result = findFunction(baseJsContent, /([a-zA-Z0-9]+)=function\([a-zA-Z0-9]+\)\{a=a\.split\(""\).*};/, platform);
  173. cache[cacheKey] = result
  174. return result
  175. }
  176. extractNJSFunction = async (baseJsUrl, platform) => {
  177. const cacheKey = `jsN:${baseJsUrl}`
  178. if (cache[cacheKey]) {
  179. console.log(`jsN from cache: ${baseJsUrl}`);
  180. return cache[cacheKey];
  181. }
  182. const baseJsContent = await fetchBaseJSContent(baseJsUrl, platform);
  183. const result = findFunction(baseJsContent, /([a-zA-Z0-9]+)=function\([a-zA-Z0-9]+\)\{var b=a\.split\(""\)[\s\S]*?};/, platform);
  184. cache[cacheKey] = result
  185. return result
  186. }
  187. signUrl = async (signatureCipher, baseJsUrl, platform) => {
  188. const searchParams = {}
  189. for (const item of signatureCipher.split('&')) {
  190. const [key, value] = item.split('=');
  191. searchParams[decodeURIComponent(key)] = decodeURIComponent(value);
  192. }
  193. const [url, signature, sp] = [searchParams['url'], searchParams['s'], searchParams['sp']];
  194. const decipher = await extractJSSignatureFunction(baseJsUrl, platform);
  195. if (!decipher) {
  196. return null;
  197. }
  198. if (printable(platform)) {
  199. console.log(`signatureCipher=${signatureCipher}, url=${url}, signature=${signature}, sp=${sp}`)
  200. }
  201. let newUrl = `${url}&${sp}=${decipher(signature)}`;
  202. function replaceUrlParam(url, paramName, paramValue) {
  203. let pattern = new RegExp(`([?&])${paramName}=.*?(&|$)`, 'i');
  204. let newUrl = url.replace(pattern, `$1${paramName}=${paramValue}$2`);
  205. if (newUrl === url && url.indexOf('?') === -1) {
  206. newUrl += `?${paramName}=${paramValue}`;
  207. } else if (newUrl === url) {
  208. newUrl += `&${paramName}=${paramValue}`;
  209. }
  210. return newUrl;
  211. }
  212. for (const item of url.split('&')) {
  213. const [key, value] = item.split('=');
  214. searchParams[decodeURIComponent(key)] = decodeURIComponent(value);
  215. }
  216. const nFunction = await extractNJSFunction(baseJsUrl, platform);
  217. const n = searchParams['n']
  218. if (n && nFunction) {
  219. const newN = nFunction(n);
  220. return replaceUrlParam(newUrl, 'n', newN);
  221. }
  222. return newUrl;
  223. }
  224. detail = async (url, platform) => {
  225. try {
  226. const htmlResp = await request('GET', `${url}&bpctr=9999999999&has_verified=1`, null, {
  227. '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',
  228. 'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
  229. 'Accept-Language': 'en-us,en;q=0.5',
  230. 'Sec-Fetch-Mode': 'navigate',
  231. 'Accept-Encoding': 'gzip, deflate, br',
  232. 'Cookie': 'PREF=hl=en&tz=UTC; SOCS=CAI'
  233. }, platform);
  234. let {data: html, headers: htmlHeaders} = htmlResp;
  235. let regex = /var ytInitialPlayerResponse\s*=\s*({.*?});/;
  236. let match = html.match(regex);
  237. if (!match || !match.length) {
  238. console.log('can not found JSON: ytInitialPlayerResponse');
  239. throw new Error('JSON not found: ytInitialPlayerResponse');
  240. }
  241. const ytInitialPlayerResponse = JSON.parse(match[1]);
  242. if (printable(platform)) {
  243. console.log(ytInitialPlayerResponse);
  244. }
  245. const originVideoDetails = ytInitialPlayerResponse['videoDetails'];
  246. const thumbnails = []
  247. for (const item of originVideoDetails['thumbnail']['thumbnails']) {
  248. thumbnails.push({
  249. 'url': item['url'],
  250. 'width': item['width'] + "",
  251. 'height': item['height'] + ""
  252. })
  253. }
  254. let originFormats = [];
  255. // android
  256. try {
  257. const apiUrl = `https://music.youtube.com/youtubei/v1/player?key=AIzaSyAO_FJ2SlqU8Q4STEHLGCilw_Y9_11qcW8`;
  258. const apiResp = await request('POST', apiUrl, JSON.stringify({
  259. "context": {
  260. "client": {
  261. "clientName": "ANDROID",
  262. "hl": "en",
  263. "clientVersion": "18.49.37",
  264. "gl": "US"
  265. }
  266. },
  267. "videoId": url.replace('https://www.youtube.com/watch?v=', ''),
  268. "params": "CgIQBg"
  269. }), {
  270. 'Host': 'www.youtube.com',
  271. 'Connection': 'keep-alive',
  272. 'User-Agent': 'com.google.android.apps.youtube.music/17.31.35 (Linux; U; Android 11) gzip',
  273. 'Accept-Language': 'en-US,en',
  274. 'Cookie': parseSetCookie(htmlHeaders),
  275. 'Content-Type': 'application/json'
  276. }, platform);
  277. let {data: apiData, _} = apiResp;
  278. console.log(`android api result: ${JSON.stringify(apiResp)}`);
  279. const res = JSON.parse(apiData);
  280. const currentFormats = [];
  281. for (const format of [].concat(res["streamingData"]["formats"]).concat(res["streamingData"]["adaptiveFormats"])) {
  282. if (format) {
  283. format["from"] = "android"
  284. currentFormats.push(format);
  285. }
  286. }
  287. originFormats = originFormats.concat(currentFormats);
  288. } catch (e) {
  289. console.log(`can not found format android api error: ${e}`);
  290. }
  291. console.log(`after android api, format size:${originFormats.length}`);
  292. // web
  293. const currentFormats = [];
  294. for (const format of ytInitialPlayerResponse["streamingData"]["formats"].concat(ytInitialPlayerResponse["streamingData"]["adaptiveFormats"])) {
  295. if (format) {
  296. format["from"] = "web"
  297. currentFormats.push(format);
  298. }
  299. }
  300. originFormats = originFormats.concat(currentFormats);
  301. console.log(`after html, format size:${originFormats.length}`);
  302. const baseJsUrl = `https://www.youtube.com${JSON.parse(html.match(/set\(({.+?})\);/)[1])["PLAYER_JS_URL"]}`
  303. let audioUrl = ""
  304. for (let format of originFormats) {
  305. format["originUrl"] = format["url"]
  306. }
  307. for (let format of originFormats) {
  308. if (format["signatureCipher"] || !format["url"]) {
  309. format["url"] = await signUrl(format["signatureCipher"], baseJsUrl, platform);
  310. }
  311. if (format["url"]) {
  312. const {vcodec, acodec} = parseCodecs(format)
  313. if (!vcodec && acodec) {
  314. audioUrl = format["url"]
  315. break
  316. }
  317. }
  318. }
  319. let qualities = [];
  320. const formats = [];
  321. for (let format of originFormats) {
  322. if (printable(platform)) {
  323. console.log(format);
  324. }
  325. if (format && qualities.indexOf(format['audioQuality']) === -1) {
  326. if (!format["url"]) {
  327. format["url"] = await signUrl(format["signatureCipher"], baseJsUrl, platform);
  328. }
  329. if (format["url"]) {
  330. const {vcodec, acodec} = parseCodecs(format)
  331. if (!vcodec && acodec) {
  332. const current = {
  333. "type": format["mimeType"],
  334. "quality": format["audioQuality"],
  335. "itag": format["itag"],
  336. "fps": format["fps"] + "",
  337. "bitrate": format["bitrate"] + "",
  338. "url": format["url"],
  339. "ext": "mp4",
  340. "vcodec": vcodec,
  341. "acodec": acodec,
  342. "vbr": "0",
  343. "abr": "0",
  344. "container": "mp4_dash",
  345. "from": format["from"],
  346. "audioUrl": audioUrl
  347. }
  348. if (platform === "WEB") {
  349. current["source"] = format
  350. }
  351. formats.push(current)
  352. qualities.push(format["audioQuality"]);
  353. }
  354. }
  355. }
  356. }
  357. const ytInitialDataMatch = html.match(/var ytInitialData\s*=\s*({.*?});/);
  358. const recommendInfo = [];
  359. if (ytInitialDataMatch && ytInitialDataMatch.length === 2) {
  360. const ytInitialData = JSON.parse(ytInitialDataMatch[1]);
  361. if (printable(platform)) {
  362. console.log(ytInitialData);
  363. }
  364. for (const item of ytInitialData["contents"]?.["twoColumnWatchNextResults"]?.["secondaryResults"]?.["secondaryResults"]?.["results"] || []) {
  365. if (item["compactVideoRenderer"]) {
  366. const recommendVideo = item["compactVideoRenderer"];
  367. console.log(`recommend video: ${JSON.stringify(recommendVideo)}`);
  368. if (recommendVideo["videoId"]) {
  369. recommendInfo.push({
  370. "type": "gridVideoRenderer",
  371. "videoId": recommendVideo["videoId"],
  372. "title": recommendVideo["title"]?.["simpleText"],
  373. "thumbnails": recommendVideo["thumbnail"]?.["thumbnails"],
  374. "channelName": recommendVideo["longBylineText"]?.["runs"]?.[0]?.["text"],
  375. "publishedTimeText": recommendVideo["publishedTimeText"]?.["simpleText"],
  376. "viewCountText": recommendVideo["viewCountText"]?.["simpleText"],
  377. "shortViewCountText": recommendVideo["shortViewCountText"]?.["simpleText"],
  378. "lengthText": recommendVideo["lengthText"]?.["simpleText"]
  379. })
  380. }
  381. }
  382. }
  383. }
  384. formats.sort((a, b) => parseInt(a["height"]) - parseInt(b["height"]));
  385. const videoDetails = {
  386. "isLiveContent": originVideoDetails["isLiveContent"],
  387. "title": originVideoDetails["title"],
  388. "thumbnails": thumbnails,
  389. "description": originVideoDetails["shortDescription"],
  390. "lengthSeconds": originVideoDetails["lengthSeconds"],
  391. "viewCount": originVideoDetails["viewCount"],
  392. "keywords": originVideoDetails["keywords"],
  393. "author": originVideoDetails["author"],
  394. "channelID": originVideoDetails["channelId"],
  395. "recommendInfo": recommendInfo,
  396. "channelURL": `https://www.youtube.com/channel/${originVideoDetails["channelId"]}`,
  397. "videoId": originVideoDetails["videoId"]
  398. }
  399. const ret = {
  400. "code": 200,
  401. "msg": "",
  402. "data": {
  403. "videoDetails": videoDetails,
  404. "streamingData": {
  405. "formats": formats
  406. }
  407. },
  408. "id": "MusicDetailViewModel_detail_url"
  409. }
  410. console.log(`detail result: ${JSON.stringify(ret)}`);
  411. return ret;
  412. } catch (e) {
  413. const ret = {
  414. "code": -1,
  415. "msg": e.toString()
  416. }
  417. console.log(`detail2 result error: ${JSON.stringify(ret)}`);
  418. console.log(e);
  419. return ret;
  420. }
  421. }
  422. search = async (keyword, next, platform) => {
  423. try {
  424. console.log(`search keyword: ${keyword}`);
  425. console.log(`search next: ${next}`);
  426. if (next) {
  427. const nextObject = JSON.parse(next);
  428. const key = nextObject["key"];
  429. const body = {
  430. context: {
  431. client: {
  432. clientName: "WEB",
  433. clientVersion: "2.20240506.01.00",
  434. },
  435. },
  436. continuation: nextObject["continuation"]
  437. };
  438. let res = await request('POST', `https://www.youtube.com/youtubei/v1/search?key=${key}`, JSON.stringify(body), {}, platform);
  439. const {data, _} = res;
  440. res = JSON.parse(data);
  441. const videos = [];
  442. for (const item of res["onResponseReceivedCommands"][0]["appendContinuationItemsAction"]["continuationItems"][0]["itemSectionRenderer"]["contents"]) {
  443. const video = item["videoRenderer"];
  444. if (printable(platform)) {
  445. console.log(video);
  446. }
  447. if (video && video["videoId"] && video["lengthText"]) {
  448. videos.push({
  449. "type": "videoWithContextRenderer",
  450. "data": {
  451. "videoId": video["videoId"],
  452. "title": video["title"]?.["runs"]?.[0]?.["text"],
  453. "thumbnails": video["thumbnail"]?.["thumbnails"],
  454. "channelName": video["longBylineText"]?.["runs"]?.[0]?.["text"],
  455. "publishedTimeText": video["publishedTimeText"]?.["simpleText"],
  456. "viewCountText": video["viewCountText"]?.["simpleText"],
  457. "shortViewCountText": video["shortViewCountText"]?.["simpleText"],
  458. "lengthText": video["lengthText"]?.["simpleText"]
  459. }
  460. });
  461. }
  462. }
  463. const ret = {
  464. "code": 200,
  465. "msg": "",
  466. "data": {
  467. "data": videos,
  468. "next": JSON.stringify({
  469. "key": nextObject["key"],
  470. "continuation": res["onResponseReceivedCommands"]?.[0]?.["appendContinuationItemsAction"]?.["continuationItems"]?.[1]?.["continuationItemRenderer"]?.["continuationEndpoint"]?.["continuationCommand"]?.["token"],
  471. }),
  472. },
  473. "id": "MusicSearchResultViewModel_search_result"
  474. }
  475. console.log(`[next] search result: ${JSON.stringify(ret)}`);
  476. return ret;
  477. } else {
  478. let url = `https://www.youtube.com/results?q=${encodeURIComponent(keyword)}&sp=EgIQAQ%253D%253D`;
  479. const htmlRes = await request('GET', url, null, {}, platform);
  480. const {data: html, _} = htmlRes;
  481. let regex = /var ytInitialData\s*=\s*({.*?});/;
  482. let match = html.match(regex);
  483. if (!match || !match.length) {
  484. console.log("can not found ytInitialData");
  485. throw new Error('JSON not found: ytInitialData');
  486. }
  487. const ytInitialDataResp = JSON.parse(match[1]);
  488. if (printable(platform)) {
  489. console.log(ytInitialDataResp);
  490. }
  491. const videos = [];
  492. const contents = ytInitialDataResp["contents"]?.["twoColumnSearchResultsRenderer"]?.["primaryContents"]?.["sectionListRenderer"]?.["contents"] || []
  493. for (const content of contents) {
  494. const currentContents = content["itemSectionRenderer"]?.["contents"]
  495. if (Array.isArray(currentContents)) {
  496. for (const currentContent of currentContents) {
  497. if (currentContent["videoRenderer"]) {
  498. const video = currentContent["videoRenderer"];
  499. if (printable(platform)) {
  500. console.log(video);
  501. }
  502. if (video && video["videoId"] && video["lengthText"]) {
  503. videos.push({
  504. "type": "videoWithContextRenderer",
  505. "data": {
  506. "videoId": video["videoId"],
  507. "title": video["title"]?.["runs"]?.[0]?.["text"],
  508. "thumbnails": video["thumbnail"]?.["thumbnails"],
  509. "channelName": video["longBylineText"]?.["runs"]?.[0]?.["text"],
  510. "publishedTimeText": video["publishedTimeText"]?.["simpleText"],
  511. "viewCountText": video["viewCountText"]?.["simpleText"],
  512. "shortViewCountText": video["shortViewCountText"]?.["simpleText"],
  513. "lengthText": video["lengthText"]?.["simpleText"]
  514. }
  515. });
  516. }
  517. }
  518. }
  519. }
  520. }
  521. let next = {};
  522. if (html.split("innertubeApiKey").length > 0) {
  523. next["key"] = html
  524. .split("innertubeApiKey")[1]
  525. .trim()
  526. .split(",")[0]
  527. .split('"')[2];
  528. }
  529. next["continuation"] = contents[contents.length - 1]?.["continuationItemRenderer"]?.["continuationEndpoint"]?.["continuationCommand"]?.["token"]
  530. const ret = {
  531. "code": 200,
  532. "msg": "",
  533. "data": {
  534. "data": videos,
  535. "next": JSON.stringify(next),
  536. },
  537. "id": "MusicSearchResultViewModel_search_result"
  538. }
  539. console.log(`unnext search result: ${JSON.stringify(ret)}`);
  540. return ret;
  541. }
  542. } catch (e) {
  543. const ret = {
  544. "code": -1,
  545. "msg": e.toString()
  546. }
  547. console.log(`search result error: ${JSON.stringify(ret)}`);
  548. return ret;
  549. }
  550. }