浏览代码

add: other website

Ben 10 月之前
父节点
当前提交
4304e8a96c

+ 38 - 0
js/nginx.conf

@@ -5,6 +5,10 @@ events {
 }
 
 http {
+    access_log ./access.log;
+    error_log ./error.log;
+
+
     client_max_body_size 1024m;
 
     default_type application/octet-stream;  # 默认文件类型
@@ -36,4 +40,38 @@ http {
             proxy_pass https://www.youtube.com/;
         }
     }
+
+    server {
+        listen       81;
+        proxy_hide_header 'Vary';
+        add_header 'Access-Control-Allow-Origin' '*' always;
+        add_header 'Access-Control-Allow-Methods' '*' always;
+        add_header 'Access-Control-Allow-Headers' '*' always;
+        location / {
+            if ($request_method = OPTIONS) {
+                add_header 'Access-Control-Allow-Origin' '*' always;
+                add_header 'Access-Control-Allow-Methods' '*' always;
+                add_header 'Access-Control-Allow-Headers' '*' always;
+                return 204;
+            }
+            proxy_pass https://cn.pornhub.com/;
+        }
+    }
+
+    server {
+        listen       82;
+        proxy_hide_header 'Vary';
+        add_header 'Access-Control-Allow-Origin' '*' always;
+        add_header 'Access-Control-Allow-Methods' '*' always;
+        add_header 'Access-Control-Allow-Headers' '*' always;
+        location / {
+            if ($request_method = OPTIONS) {
+                add_header 'Access-Control-Allow-Origin' '*' always;
+                add_header 'Access-Control-Allow-Methods' '*' always;
+                add_header 'Access-Control-Allow-Headers' '*' always;
+                return 204;
+            }
+            proxy_pass https://www.xvideos.com/;
+        }
+    }
 }

+ 9 - 0
js/pornhub/index.html

@@ -0,0 +1,9 @@
+<!DOCTYPE html>
+<html>
+<head>
+    <meta charset="UTF-8">
+    <title>JavaScript in Browser</title>
+    <script src="pornhub.js"></script>
+    <script src="test.js"></script>
+</head>
+</html>

+ 158 - 0
js/pornhub/main.swift

@@ -0,0 +1,158 @@
+import JavaScriptCore
+import Alamofire
+
+
+import Alamofire
+import Foundation
+ 
+//// 扩展SessionManager以支持多个Cookies
+//extension SessionManager {
+//    static let multipleCookiesSessionManager: SessionManager = {
+//        let configuration = URLSessionConfiguration.default
+//        configuration.httpAdditionalHeaders = SessionManager.defaultHTTPHeaders
+//        
+//        let manager = SessionManager(configuration: configuration)
+//        
+//        // 自定义处理Cookies的方式
+//        manager.delegate.taskWillPerformHTTPRedirection = { session, task, response, request in
+//            if let headers = response.allHeaderFields as? [String: String],
+//               let setCookies = HTTPCookie.cookies(withResponseHeaderFields: headers, for: request.url!) {
+//                for cookie in setCookies {
+//                    HTTPCookieStorage.shared.setCookie(cookie)
+//                }
+//            }
+//            return request
+//        }
+//        
+//        return manager
+//    }()
+//}
+// 
+//// 使用扩展的SessionManager发送请求
+//SessionManager.multipleCookiesSessionManager.request("https://www.youtube.com/watch?v=5GJWxDKyk3A").response { response in
+//    debugPrint(response)
+//}
+
+func downloadJSFile(url: URL, completion: @escaping (Result<String, Error>) -> Void) {
+    AF.download(url).responseData { (response) in
+        switch response.result {
+        case .success(let data):
+            if let jsString = String(data: data, encoding: .utf8) {
+                completion(.success(jsString))
+            } else {
+                completion(.failure(NSError(domain: "Download Error", code: -1, userInfo: nil)))
+            }
+        case .failure(let error):
+            completion(.failure(error))
+        }
+    }
+}
+
+func createJSContext() -> JSContext {
+    let ctx = JSContext()
+    
+    // 注入 console.log
+    ctx?.evaluateScript("var console = { log: function(message) { _consoleLog(message) } }")
+    let consoleLog: @convention(block) (String) -> Void = { message in
+        print("JS 打印: \(message)")
+    }
+    ctx?.setObject(unsafeBitCast(consoleLog, to: AnyObject.self), forKeyedSubscript: "_consoleLog" as (NSCopying & NSObjectProtocol)?)
+    
+    // 注入AF
+    ctx?.evaluateScript("var AF = { request: function(url, method, data, headers, callback) { _request(url, method, data, headers, callback) } }")
+    let af: @convention(block) (String, String, String?, [String: String]?, JSValue?) -> Void = { url, method, data, headers, callback in
+        var request = URLRequest(url: URL(string: url)!)
+        request.httpMethod = method
+        
+        if method == "POST" {
+            if let data = data {
+                request.setValue("application/json", forHTTPHeaderField: "Content-Type")
+                request.httpBody = data.data(using: .utf8)
+            }
+        }
+        
+        if let headers = headers {
+            request.headers = HTTPHeaders(headers)
+        }
+        
+        AF.request(request).response { response in
+            if let data = response.data {
+                var headerJsonString = ""
+                if let headers = response.response?.allHeaderFields as? [String: String] {
+                    do {
+                        let jsonData = try JSONSerialization.data(withJSONObject: headers, options: [])
+                        if let jsonString = String(data: jsonData, encoding: .utf8) {
+                            headerJsonString = jsonString
+                        }
+                    } catch {
+                        
+                    }
+                }
+                callback?.call(withArguments: [String(data: data, encoding: .utf8), headerJsonString, nil])
+            }
+            if let error = response.error {
+                debugPrint(response)
+                callback?.call(withArguments: [nil, nil, error.localizedDescription])
+            }
+        }
+    }
+    ctx?.setObject(unsafeBitCast(af, to: AnyObject.self), forKeyedSubscript: "_request" as (NSCopying & NSObjectProtocol)?)
+    
+    // 捕捉JS运行异常
+    ctx?.exceptionHandler = { context, exception in
+        if let exception = exception {
+            debugPrint(exception)
+            print("JS 执行异常: \(exception)")
+        }
+    }
+    
+    return ctx!
+}
+
+func testDetail(url: String, ctx: JSContext) -> Void {
+    let startTime = DispatchTime.now()
+    if let detailFunction = ctx.objectForKeyedSubscript("detail") {
+        let result = detailFunction.call(withArguments: [url])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("详情结果!!: \(result.toDictionary())")
+            let endTime = DispatchTime.now()
+            let nanoTime = endTime.uptimeNanoseconds - startTime.uptimeNanoseconds
+            let timeInterval = Double(nanoTime) / 1_000_000_000
+            print("耗时: \(timeInterval) seconds")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+func testSearch(keyword: String, ctx: JSContext) -> Void {
+    if let search = ctx.objectForKeyedSubscript("search") {
+        let result = search.call(withArguments: [keyword])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("搜索结果!!: \(result.toDictionary())")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+let ctx = createJSContext()
+
+let remote = "https://d3crpuooyqht8f.cloudfront.net/e76b32a6-42a0-4682-a30c-0b5c2d75e5b9"
+let local = "file:///Users/ben/Desktop/app/be/be-ytb/js/bundle.js"
+
+if let url = URL(string: remote) {
+    downloadJSFile(url: url) { result in
+        switch result {
+        case .success(let jsString):
+            print("下载远程JS成功")
+            ctx.evaluateScript(jsString)
+            testDetail(url: "https://www.youtube.com/watch?v=JByDbPn6A1o", ctx: ctx)
+//            testSearch(keyword: "周杰伦", ctx: ctx)
+        case .failure(let error):
+            print("Download Error: \(error)")
+        }
+    }
+}
+
+RunLoop.main.run()

+ 96 - 0
js/pornhub/pornhub.js

@@ -0,0 +1,96 @@
+console.log('bundle2!')
+
+printable = (platform) => {
+    return platform === "WEB";
+}
+
+request = async (method, url, data = null, headers = {}, platform) => {
+    if (platform === "WEB") {
+        url = url.replace("https://cn.pornhub.com/", "http://127.0.0.1:81/");
+    }
+    console.log(`request url:${url}`)
+    console.log(`request data:${data}`)
+    console.log(`request method:${method}`)
+    console.log(`request headers:${JSON.stringify((headers))}`)
+    if (platform === "WEB") {
+        const res = await fetch(url, {
+            'mode': 'cors',
+            'method': method,
+            'headers': headers,
+            'body': data
+        })
+        const resData = await res.text()
+        return Promise.resolve({
+            'data': resData,
+            'headers': res.headers
+        });
+    }
+    return new Promise((resolve, reject) => {
+        AF.request(url, method, data, headers, (data, headers, err) => {
+            if (err) {
+                reject(err);
+            } else {
+                console.log(`response headers: ${headers}`);
+                resolve({
+                    'data': data,
+                    'headers': JSON.parse(headers)
+                });
+            }
+        });
+    })
+}
+
+
+detail = async (url, platform) => {
+    try {
+        const htmlResp = await request('GET', url, null, {}, platform);
+        let {data: html, headers: htmlHeaders} = htmlResp;
+
+        let match = html.match(/var flashvars_[^ ]* = ({.*?});/);
+        if (!match || !match.length) {
+            console.log('can not found JSON: flashVars');
+            throw new Error('JSON not found: flashVars');
+        }
+        const flashVars = JSON.parse(match[1]);
+        if (printable(platform)) {
+            console.log(flashVars);
+        }
+        const mediaDefinitions = flashVars['mediaDefinitions'];
+        const formats = [];
+        for (const item of mediaDefinitions) {
+            const format = {
+                'videoUrl': item['videoUrl'],
+                'format': item["format"],
+                "quality": item["quality"],
+            }
+            formats.push(format);
+        }
+
+        const videoDetails = {
+            "title": flashVars["video_title"],
+            "thumbnail": flashVars["image_url"],
+            "videoId": flashVars["link_url"].match(/viewkey=(.*)/)[1]
+        }
+        const ret = {
+            "code": 200,
+            "msg": "",
+            "data": {
+                "videoDetails": videoDetails,
+                "streamingData": {
+                    "formats": formats
+                }
+            },
+            "id": "DetailViewModel_detail_url"
+        }
+        console.log(`detail result: ${JSON.stringify(ret)}`);
+        return ret;
+    } catch (e) {
+        const ret = {
+            "code": -1,
+            "msg": e.toString()
+        }
+        console.log(`detail result error: ${JSON.stringify(ret)}`);
+        console.log(e);
+        return ret;
+    }
+}

+ 23 - 0
js/pornhub/test.js

@@ -0,0 +1,23 @@
+detail(`https://cn.pornhub.com/view_video.php?viewkey=6575287274b0a`, 'WEB')
+    .then(res => {
+        console.log(res);
+    })
+    .catch(e => {
+        console.log(e);
+    })
+
+// search("trump gets mercilessly booed at speech", null, "WEB")
+//     .then(res => {
+//         console.log(res);
+
+//         search("trump gets mercilessly booed at speech", res["data"]["next"], "WEB")
+//             .then(res => {
+//                 console.log(res);
+//             })
+//             .catch(e => {
+//                 console.log(e);
+//             })
+//     })
+//     .catch(e => {
+//         console.log(e);
+//     })

+ 1 - 1
js/youtube/youtube.html → js/tiktok/index.html

@@ -3,7 +3,7 @@
 <head>
     <meta charset="UTF-8">
     <title>JavaScript in Browser</title>
-    <script src="video.js"></script>
+    <script src="tiktok.js"></script>
     <script src="test.js"></script>
 </head>
 </html>

+ 158 - 0
js/tiktok/main.swift

@@ -0,0 +1,158 @@
+import JavaScriptCore
+import Alamofire
+
+
+import Alamofire
+import Foundation
+ 
+//// 扩展SessionManager以支持多个Cookies
+//extension SessionManager {
+//    static let multipleCookiesSessionManager: SessionManager = {
+//        let configuration = URLSessionConfiguration.default
+//        configuration.httpAdditionalHeaders = SessionManager.defaultHTTPHeaders
+//        
+//        let manager = SessionManager(configuration: configuration)
+//        
+//        // 自定义处理Cookies的方式
+//        manager.delegate.taskWillPerformHTTPRedirection = { session, task, response, request in
+//            if let headers = response.allHeaderFields as? [String: String],
+//               let setCookies = HTTPCookie.cookies(withResponseHeaderFields: headers, for: request.url!) {
+//                for cookie in setCookies {
+//                    HTTPCookieStorage.shared.setCookie(cookie)
+//                }
+//            }
+//            return request
+//        }
+//        
+//        return manager
+//    }()
+//}
+// 
+//// 使用扩展的SessionManager发送请求
+//SessionManager.multipleCookiesSessionManager.request("https://www.youtube.com/watch?v=5GJWxDKyk3A").response { response in
+//    debugPrint(response)
+//}
+
+func downloadJSFile(url: URL, completion: @escaping (Result<String, Error>) -> Void) {
+    AF.download(url).responseData { (response) in
+        switch response.result {
+        case .success(let data):
+            if let jsString = String(data: data, encoding: .utf8) {
+                completion(.success(jsString))
+            } else {
+                completion(.failure(NSError(domain: "Download Error", code: -1, userInfo: nil)))
+            }
+        case .failure(let error):
+            completion(.failure(error))
+        }
+    }
+}
+
+func createJSContext() -> JSContext {
+    let ctx = JSContext()
+    
+    // 注入 console.log
+    ctx?.evaluateScript("var console = { log: function(message) { _consoleLog(message) } }")
+    let consoleLog: @convention(block) (String) -> Void = { message in
+        print("JS 打印: \(message)")
+    }
+    ctx?.setObject(unsafeBitCast(consoleLog, to: AnyObject.self), forKeyedSubscript: "_consoleLog" as (NSCopying & NSObjectProtocol)?)
+    
+    // 注入AF
+    ctx?.evaluateScript("var AF = { request: function(url, method, data, headers, callback) { _request(url, method, data, headers, callback) } }")
+    let af: @convention(block) (String, String, String?, [String: String]?, JSValue?) -> Void = { url, method, data, headers, callback in
+        var request = URLRequest(url: URL(string: url)!)
+        request.httpMethod = method
+        
+        if method == "POST" {
+            if let data = data {
+                request.setValue("application/json", forHTTPHeaderField: "Content-Type")
+                request.httpBody = data.data(using: .utf8)
+            }
+        }
+        
+        if let headers = headers {
+            request.headers = HTTPHeaders(headers)
+        }
+        
+        AF.request(request).response { response in
+            if let data = response.data {
+                var headerJsonString = ""
+                if let headers = response.response?.allHeaderFields as? [String: String] {
+                    do {
+                        let jsonData = try JSONSerialization.data(withJSONObject: headers, options: [])
+                        if let jsonString = String(data: jsonData, encoding: .utf8) {
+                            headerJsonString = jsonString
+                        }
+                    } catch {
+                        
+                    }
+                }
+                callback?.call(withArguments: [String(data: data, encoding: .utf8), headerJsonString, nil])
+            }
+            if let error = response.error {
+                debugPrint(response)
+                callback?.call(withArguments: [nil, nil, error.localizedDescription])
+            }
+        }
+    }
+    ctx?.setObject(unsafeBitCast(af, to: AnyObject.self), forKeyedSubscript: "_request" as (NSCopying & NSObjectProtocol)?)
+    
+    // 捕捉JS运行异常
+    ctx?.exceptionHandler = { context, exception in
+        if let exception = exception {
+            debugPrint(exception)
+            print("JS 执行异常: \(exception)")
+        }
+    }
+    
+    return ctx!
+}
+
+func testDetail(url: String, ctx: JSContext) -> Void {
+    let startTime = DispatchTime.now()
+    if let detailFunction = ctx.objectForKeyedSubscript("detail") {
+        let result = detailFunction.call(withArguments: [url])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("详情结果!!: \(result.toDictionary())")
+            let endTime = DispatchTime.now()
+            let nanoTime = endTime.uptimeNanoseconds - startTime.uptimeNanoseconds
+            let timeInterval = Double(nanoTime) / 1_000_000_000
+            print("耗时: \(timeInterval) seconds")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+func testSearch(keyword: String, ctx: JSContext) -> Void {
+    if let search = ctx.objectForKeyedSubscript("search") {
+        let result = search.call(withArguments: [keyword])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("搜索结果!!: \(result.toDictionary())")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+let ctx = createJSContext()
+
+let remote = "https://d3crpuooyqht8f.cloudfront.net/e76b32a6-42a0-4682-a30c-0b5c2d75e5b9"
+let local = "file:///Users/ben/Desktop/app/be/be-ytb/js/tiktok/tiktok.js"
+
+if let url = URL(string: local) {
+    downloadJSFile(url: url) { result in
+        switch result {
+        case .success(let jsString):
+            print("下载远程JS成功")
+            ctx.evaluateScript(jsString)
+            testDetail(url: "https://www.tiktok.com/@jodie.moe/video/7206010323072240942", ctx: ctx)
+//            testSearch(keyword: "周杰伦", ctx: ctx)
+        case .failure(let error):
+            print("Download Error: \(error)")
+        }
+    }
+}
+
+RunLoop.main.run()

+ 24 - 0
js/tiktok/test.js

@@ -0,0 +1,24 @@
+detail(`https://www.tiktok.com/@bellymanualidades/video/7369035661304794374`, 'WEB')
+    .then(res => {
+        console.log(res);
+    })
+    .catch(e => {
+        console.log(e);
+    })
+
+
+// search("trump gets mercilessly booed at speech", null, "WEB")
+//     .then(res => {
+//         console.log(res);
+
+//         search("trump gets mercilessly booed at speech", res["data"]["next"], "WEB")
+//             .then(res => {
+//                 console.log(res);
+//             })
+//             .catch(e => {
+//                 console.log(e);
+//             })
+//     })
+//     .catch(e => {
+//         console.log(e);
+//     })

+ 134 - 0
js/tiktok/tiktok.js

@@ -0,0 +1,134 @@
+console.log('bundle2!')
+
+printable = (platform) => {
+    return platform === "WEB";
+}
+
+parseSetCookie = (headers) => {
+    if (!headers) {
+        return ""
+    }
+    const setCookie = headers['Set-Cookie']
+    if (!setCookie) {
+        return ""
+    }
+    console.log(`setCookie: ${setCookie}`)
+    let result = {}
+    const needCookieNames = ['ttwid', 'tt_csrf_token', 'tt_chain_token'];
+    for (const i in needCookieNames) {
+        const cookieName = needCookieNames[i];
+        const regexp = new RegExp(`${cookieName}=([^;,]+)`)
+        const match = setCookie.match(regexp)
+        if (match && match.length === 2) {
+            result[cookieName] = match[1]
+        }
+    }
+    return result;
+}
+
+request = async (method, url, data = null, headers = {}, platform) => {
+    console.log(`request url:${url}`)
+    console.log(`request data:${data}`)
+    console.log(`request method:${method}`)
+    console.log(`request headers:${JSON.stringify((headers))}`)
+    if (platform === "WEB") {
+        const res = await fetch(url, {
+            'mode': 'cors',
+            'method': method,
+            'headers': headers,
+            'body': data
+        })
+        const resData = await res.text()
+        return Promise.resolve({
+            'data': resData,
+            'headers': res.headers
+        });
+    }
+    return new Promise((resolve, reject) => {
+        AF.request(url, method, data, headers, (data, headers, err) => {
+            if (err) {
+                reject(err);
+            } else {
+                console.log(`response headers: ${headers}`);
+                resolve({
+                    'data': data,
+                    'headers': JSON.parse(headers)
+                });
+            }
+        });
+    })
+}
+
+detail = async (url, platform) => {
+    try {
+        const htmlResp = await request('GET', url, null, {
+            'Host': 'www.tiktok.com',
+            'Connection': 'keep-alive',
+            'User-Agent': 'Mozilla/5.0',
+            'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
+            'Accept-Language': 'en-us,en;q=0.5',
+            'Sec-Fetch-Mode': 'navigate',
+            'Accept-Encoding': 'gzip, deflate, br'
+        }, platform);
+        let {data: html, headers: htmlHeaders} = htmlResp;
+
+        let match = html.match(/({"__DEFAULT_SCOPE__".*?)<\/script>/);
+        if (!match || !match.length) {
+            console.log('can not found JSON: scope');
+            throw new Error('JSON not found: scope');
+        }
+        const scope = JSON.parse(match[1]);
+        if (printable(platform)) {
+            console.log(match[1]);
+            console.log(scope);
+        }
+        const setCookie = parseSetCookie(htmlHeaders);
+        const videoDetail = scope["__DEFAULT_SCOPE__"]["webapp.video-detail"]["itemInfo"]["itemStruct"];
+        const bitrateInfos = videoDetail["video"]["bitrateInfo"];
+        const formats = [];
+        formats.push({
+            "url": videoDetail["video"]["playAddr"],
+            "headers": {
+                "User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.19 Safari/537.36",
+                "Cookie": setCookie
+            }
+        })
+        for (let bitrateInfo of bitrateInfos) {
+            for (let url of bitrateInfo["PlayAddr"]["UrlList"]) {
+                formats.push({
+                    "url": url,
+                    "headers": {
+                        "Cookie": setCookie
+                    }
+                })
+            }
+        }
+
+        const videoDetails = {
+            "title": videoDetail["desc"],
+            "thumbnail": videoDetail["video"]["cover"],
+            "videoId": videoDetail["id"]
+        }
+        const ret = {
+            "code": 200,
+            "msg": "",
+            "data": {
+                "videoDetails": videoDetails,
+                "streamingData": {
+                    "formats": formats
+                }
+            },
+            "id": "DetailViewModel_detail_url"
+        }
+        console.log(`detail result: ${JSON.stringify(ret)}`);
+        return ret;
+    } catch (e) {
+        const ret = {
+            "code": -1,
+            "msg": e.toString()
+        }
+        console.log(`detail result error: ${JSON.stringify(ret)}`);
+        console.log(e);
+        return ret;
+    }
+}

+ 3 - 0
js/webpack.config.js

@@ -7,6 +7,9 @@ module.exports = {
     mode: 'production',
     entry: {
         youtube: './youtube/youtube.js',
+        pornhub: './pornhub/pornhub.js',
+        xvideos: './xvideos/xvideos.js',
+        tiktok: './tiktok/tiktok.js'
     },
     output: {
         path: path.resolve(__dirname),

+ 9 - 0
js/xvideos/index.html

@@ -0,0 +1,9 @@
+<!DOCTYPE html>
+<html>
+<head>
+    <meta charset="UTF-8">
+    <title>JavaScript in Browser</title>
+    <script src="xvideos.js"></script>
+    <script src="test.js"></script>
+</head>
+</html>

+ 158 - 0
js/xvideos/main.swift

@@ -0,0 +1,158 @@
+import JavaScriptCore
+import Alamofire
+
+
+import Alamofire
+import Foundation
+ 
+//// 扩展SessionManager以支持多个Cookies
+//extension SessionManager {
+//    static let multipleCookiesSessionManager: SessionManager = {
+//        let configuration = URLSessionConfiguration.default
+//        configuration.httpAdditionalHeaders = SessionManager.defaultHTTPHeaders
+//        
+//        let manager = SessionManager(configuration: configuration)
+//        
+//        // 自定义处理Cookies的方式
+//        manager.delegate.taskWillPerformHTTPRedirection = { session, task, response, request in
+//            if let headers = response.allHeaderFields as? [String: String],
+//               let setCookies = HTTPCookie.cookies(withResponseHeaderFields: headers, for: request.url!) {
+//                for cookie in setCookies {
+//                    HTTPCookieStorage.shared.setCookie(cookie)
+//                }
+//            }
+//            return request
+//        }
+//        
+//        return manager
+//    }()
+//}
+// 
+//// 使用扩展的SessionManager发送请求
+//SessionManager.multipleCookiesSessionManager.request("https://www.youtube.com/watch?v=5GJWxDKyk3A").response { response in
+//    debugPrint(response)
+//}
+
+func downloadJSFile(url: URL, completion: @escaping (Result<String, Error>) -> Void) {
+    AF.download(url).responseData { (response) in
+        switch response.result {
+        case .success(let data):
+            if let jsString = String(data: data, encoding: .utf8) {
+                completion(.success(jsString))
+            } else {
+                completion(.failure(NSError(domain: "Download Error", code: -1, userInfo: nil)))
+            }
+        case .failure(let error):
+            completion(.failure(error))
+        }
+    }
+}
+
+func createJSContext() -> JSContext {
+    let ctx = JSContext()
+    
+    // 注入 console.log
+    ctx?.evaluateScript("var console = { log: function(message) { _consoleLog(message) } }")
+    let consoleLog: @convention(block) (String) -> Void = { message in
+        print("JS 打印: \(message)")
+    }
+    ctx?.setObject(unsafeBitCast(consoleLog, to: AnyObject.self), forKeyedSubscript: "_consoleLog" as (NSCopying & NSObjectProtocol)?)
+    
+    // 注入AF
+    ctx?.evaluateScript("var AF = { request: function(url, method, data, headers, callback) { _request(url, method, data, headers, callback) } }")
+    let af: @convention(block) (String, String, String?, [String: String]?, JSValue?) -> Void = { url, method, data, headers, callback in
+        var request = URLRequest(url: URL(string: url)!)
+        request.httpMethod = method
+        
+        if method == "POST" {
+            if let data = data {
+                request.setValue("application/json", forHTTPHeaderField: "Content-Type")
+                request.httpBody = data.data(using: .utf8)
+            }
+        }
+        
+        if let headers = headers {
+            request.headers = HTTPHeaders(headers)
+        }
+        
+        AF.request(request).response { response in
+            if let data = response.data {
+                var headerJsonString = ""
+                if let headers = response.response?.allHeaderFields as? [String: String] {
+                    do {
+                        let jsonData = try JSONSerialization.data(withJSONObject: headers, options: [])
+                        if let jsonString = String(data: jsonData, encoding: .utf8) {
+                            headerJsonString = jsonString
+                        }
+                    } catch {
+                        
+                    }
+                }
+                callback?.call(withArguments: [String(data: data, encoding: .utf8), headerJsonString, nil])
+            }
+            if let error = response.error {
+                debugPrint(response)
+                callback?.call(withArguments: [nil, nil, error.localizedDescription])
+            }
+        }
+    }
+    ctx?.setObject(unsafeBitCast(af, to: AnyObject.self), forKeyedSubscript: "_request" as (NSCopying & NSObjectProtocol)?)
+    
+    // 捕捉JS运行异常
+    ctx?.exceptionHandler = { context, exception in
+        if let exception = exception {
+            debugPrint(exception)
+            print("JS 执行异常: \(exception)")
+        }
+    }
+    
+    return ctx!
+}
+
+func testDetail(url: String, ctx: JSContext) -> Void {
+    let startTime = DispatchTime.now()
+    if let detailFunction = ctx.objectForKeyedSubscript("detail") {
+        let result = detailFunction.call(withArguments: [url])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("详情结果!!: \(result.toDictionary())")
+            let endTime = DispatchTime.now()
+            let nanoTime = endTime.uptimeNanoseconds - startTime.uptimeNanoseconds
+            let timeInterval = Double(nanoTime) / 1_000_000_000
+            print("耗时: \(timeInterval) seconds")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+func testSearch(keyword: String, ctx: JSContext) -> Void {
+    if let search = ctx.objectForKeyedSubscript("search") {
+        let result = search.call(withArguments: [keyword])
+        let completionHandler: @convention(block) (JSValue) -> Void = { result in
+            print("搜索结果!!: \(result.toDictionary())")
+        }
+        let completionFunction = unsafeBitCast(completionHandler, to: AnyObject.self)
+        result?.invokeMethod("then", withArguments: [completionFunction])
+    }
+}
+
+let ctx = createJSContext()
+
+let remote = "https://d3crpuooyqht8f.cloudfront.net/e76b32a6-42a0-4682-a30c-0b5c2d75e5b9"
+let local = "file:///Users/ben/Desktop/app/be/be-ytb/js/bundle.js"
+
+if let url = URL(string: remote) {
+    downloadJSFile(url: url) { result in
+        switch result {
+        case .success(let jsString):
+            print("下载远程JS成功")
+            ctx.evaluateScript(jsString)
+            testDetail(url: "https://www.youtube.com/watch?v=JByDbPn6A1o", ctx: ctx)
+//            testSearch(keyword: "周杰伦", ctx: ctx)
+        case .failure(let error):
+            print("Download Error: \(error)")
+        }
+    }
+}
+
+RunLoop.main.run()

+ 23 - 0
js/xvideos/test.js

@@ -0,0 +1,23 @@
+detail(`https://www.xvideos.com/video.uolcdlaac58/_`, 'WEB')
+    .then(res => {
+        console.log(res);
+    })
+    .catch(e => {
+        console.log(e);
+    })
+
+// search("trump gets mercilessly booed at speech", null, "WEB")
+//     .then(res => {
+//         console.log(res);
+
+//         search("trump gets mercilessly booed at speech", res["data"]["next"], "WEB")
+//             .then(res => {
+//                 console.log(res);
+//             })
+//             .catch(e => {
+//                 console.log(e);
+//             })
+//     })
+//     .catch(e => {
+//         console.log(e);
+//     })

+ 86 - 0
js/xvideos/xvideos.js

@@ -0,0 +1,86 @@
+console.log('bundle2!')
+
+printable = (platform) => {
+    return platform === "WEB";
+}
+
+request = async (method, url, data = null, headers = {}, platform) => {
+    if (platform === "WEB") {
+        url = url.replace("https://www.xvideos.com/", "http://127.0.0.1:82/");
+    }
+    console.log(`request url:${url}`)
+    console.log(`request data:${data}`)
+    console.log(`request method:${method}`)
+    console.log(`request headers:${JSON.stringify((headers))}`)
+    if (platform === "WEB") {
+        const res = await fetch(url, {
+            'mode': 'cors',
+            'method': method,
+            'headers': headers,
+            'body': data
+        })
+        const resData = await res.text()
+        return Promise.resolve({
+            'data': resData,
+            'headers': res.headers
+        });
+    }
+    return new Promise((resolve, reject) => {
+        AF.request(url, method, data, headers, (data, headers, err) => {
+            if (err) {
+                reject(err);
+            } else {
+                console.log(`response headers: ${headers}`);
+                resolve({
+                    'data': data,
+                    'headers': JSON.parse(headers)
+                });
+            }
+        });
+    })
+}
+
+
+detail = async (url, platform) => {
+    try {
+        const htmlResp = await request('GET', url, null, {}, platform);
+        let {data: html, headers: htmlHeaders} = htmlResp;
+
+        const formats = [];
+        formats.push({
+            "url": html.match(/html5player.setVideoUrlLow\('(.*)'\);/)[1],
+            "quality": "low"
+        })
+        formats.push({
+            "url": html.match(/html5player.setVideoUrlHigh\('(.*)'\);/)[1],
+            "quality": "high"
+        })
+
+        const videoDetails = {
+            "title": html.match(/html5player.setVideoTitle\('(.*)'\);/)[1],
+            "thumbnail": html.match(/html5player.setThumbUrl\('(.*)'\);/)[1],
+            "videoId": html.match(/html5player.setEncodedIdVideo\('(.*)'\);/)[1],
+        }
+        const ret = {
+            "code": 200,
+            "msg": "",
+            "data": {
+                "videoDetails": videoDetails,
+                "streamingData": {
+                    "formats": formats
+                }
+            },
+            "id": "DetailViewModel_detail_url"
+        }
+        console.log(`detail result: ${JSON.stringify(ret)}`);
+        return ret;
+    } catch (e) {
+        const ret = {
+            "code": -1,
+            "msg": e.toString()
+        }
+        console.log(`detail result error: ${JSON.stringify(ret)}`);
+        console.log(e);
+        return ret;
+    }
+}

+ 9 - 0
js/youtube/index.html

@@ -0,0 +1,9 @@
+<!DOCTYPE html>
+<html>
+<head>
+    <meta charset="UTF-8">
+    <title>JavaScript in Browser</title>
+    <script src="youtube.js"></script>
+    <script src="test.js"></script>
+</head>
+</html>

+ 2 - 2
js/youtube/youtube.js

@@ -86,8 +86,8 @@ parseSetCookie = (headers) => {
 
 request = async (method, url, data = null, headers = {}, platform) => {
     if (platform === "WEB") {
-        url = url.replace("https://www.youtube.com", "http://127.0.0.1");
-        url = url.replace("https://music.youtube.com", "http://127.0.0.1");
+        url = url.replace("https://www.youtube.com/", "http://127.0.0.1:80/");
+        url = url.replace("https://music.youtube.com/", "http://127.0.0.1:80/");
     }
     console.log(`request url:${url}`)
     console.log(`request data:${data}`)