File size: 11,009 Bytes
b6cd2aa
de35157
7ed539d
af22b4b
 
90475ed
78baf01
75a98c8
a9aae54
49bdf69
1ef33a6
49bdf69
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
12a325d
 
b6cd2aa
a9aae54
12a325d
e914700
 
a9aae54
 
e914700
12a325d
 
a9aae54
 
 
bf4022b
 
a9aae54
af22b4b
ab86e3b
2ab6cd2
44e5a8e
 
 
 
 
 
7ed281d
44e5a8e
 
 
 
 
62fd134
de35157
 
 
 
 
 
 
 
 
 
 
44e5a8e
62fd134
44e5a8e
b6cd2aa
62fd134
 
dfd834e
62fd134
2ab6cd2
62fd134
 
7ed281d
44e5a8e
 
 
 
 
 
 
7ed281d
 
 
44e5a8e
 
 
7ed281d
44e5a8e
7ed281d
 
44e5a8e
 
 
 
 
de35157
44e5a8e
 
 
 
 
 
 
 
 
 
 
62fd134
44e5a8e
 
62fd134
44e5a8e
 
 
 
c35b915
44e5a8e
 
c35b915
 
2ab6cd2
44e5a8e
2ab6cd2
44e5a8e
62fd134
 
 
b6cd2aa
57fcd5b
 
 
 
49bdf69
 
57fcd5b
 
 
 
 
 
 
 
af22b4b
 
27ff0e4
 
 
a1b4ebb
aef0b8f
49bdf69
27ff0e4
49bdf69
aef0b8f
49bdf69
 
27ff0e4
aef0b8f
 
 
49bdf69
 
 
 
 
 
 
 
aef0b8f
a9aae54
 
 
 
 
 
 
 
 
 
ab86e3b
aef0b8f
49bdf69
 
 
 
a1b4ebb
49bdf69
b6cd2aa
af22b4b
 
 
 
 
 
a1b4ebb
af22b4b
 
 
ab86e3b
af22b4b
ab86e3b
8e6dd44
4070c52
 
12a325d
 
 
 
aef0b8f
37ecab5
 
 
 
 
 
 
 
 
 
 
aef0b8f
12a325d
 
 
 
 
 
 
 
 
4070c52
 
 
 
 
7ed539d
af22b4b
 
12a325d
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
import re
import json
import yaml
import aiohttp
import asyncio
import datetime
import sys
import traceback
from aiohttp import web, ClientTimeout, TCPConnector, ClientError, ServerTimeoutError, TooManyRedirects
from collections import namedtuple

CacheEntry = namedtuple('CacheEntry', ['data', 'timestamp'])

class CustomCache:
    def __init__(self, ttl=1800):
        self.cache = {}
        self.ttl = ttl

    def get(self, key):
        if key in self.cache:
            entry = self.cache[key]
            if (datetime.datetime.now() - entry.timestamp).total_seconds() < self.ttl:
                return entry
        return None

    def set(self, key, value):
        self.cache[key] = CacheEntry(value, datetime.datetime.now())

cache = CustomCache(ttl=1800)  # 30 minutes cache

CHROME_USER_AGENT = "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36"

async def fetch_url(url, session, max_retries=5):
    headers = {"User-Agent": CHROME_USER_AGENT}
    for attempt in range(max_retries):
        try:
            timeout = ClientTimeout(total=40 * (attempt + 1))  # 递增的超时时间
            async with session.get(url, headers=headers, timeout=timeout) as response:
                response.raise_for_status()
                content = await response.read()
                return content.decode('utf-8', errors='ignore')
        except (ClientError, asyncio.TimeoutError, ServerTimeoutError, TooManyRedirects) as e:
            wait_time = 2 ** attempt  # 指数退避
            print(f"Attempt {attempt + 1} failed: {str(e)}. Retrying in {wait_time} seconds...", flush=True)
            if attempt == max_retries - 1:
                raise
            await asyncio.sleep(wait_time)

async def extract_and_transform_proxies(input_text):
    try:
        # 首先尝试解析为JSON
        try:
            config = json.loads(input_text)
            # 检查是否是完整的配置文件格式
            if 'outbounds' in config:
                proxies_list = [outbound for outbound in config['outbounds'] 
                                if outbound.get('type') in ['ss', 'shadowsocks', 'trojan', 'hysteria2']]
            else:
                # 如果不是完整配置文件,假设它是代理列表
                proxies_list = config if isinstance(config, list) else [config]
        except json.JSONDecodeError:
            # 如果不是JSON,尝试YAML格式
            try:
                data = yaml.safe_load(input_text)
                if isinstance(data, dict) and 'proxies' in data:
                    proxies_list = data['proxies']
                elif isinstance(data, list):
                    proxies_list = data
                else:
                    proxies_match = re.search(r'proxies:\s*\n((?:[-\s]*{.*\n?)*)', input_text, re.MULTILINE)
                    if proxies_match:
                        proxies_text = proxies_match.group(1)
                        proxies_list = yaml.safe_load(proxies_text)
                    else:
                        return "未找到有效的代理配置"
            except yaml.YAMLError:
                return "YAML解析错误"

        if not proxies_list:
            return "未找到有效的代理配置"

        transformed_proxies = []

        for proxy in proxies_list:
            proxy_type = proxy.get('type')
            if proxy_type not in ['ss', 'shadowsocks', 'trojan', 'hysteria2']:
                continue

            name = proxy.get('tag', '') or proxy.get('name', '')
            name = name.strip()
            server = proxy.get('server', '').strip()
            port = str(proxy.get('server_port', '') or proxy.get('port', '')).strip()
            
            if proxy_type == 'shadowsocks':
                proxy_type = 'ss'  # 将 shadowsocks 转换为 ss
            
            parts = [f"{name} = {proxy_type}, {server}, {port}"]
            
            if proxy_type == 'ss':
                if 'method' in proxy:
                    parts.append(f"encrypt-method={proxy['method'].strip()}")
                elif 'cipher' in proxy:
                    parts.append(f"encrypt-method={proxy['cipher'].strip()}")
                if 'password' in proxy:
                    parts.append(f"password={proxy['password'].strip()}")
            elif proxy_type in ['trojan', 'hysteria2']:
                if 'password' in proxy:
                    parts.append(f"password={proxy['password'].strip()}")
                
                # 处理TLS配置
                tls_config = proxy.get('tls', {})
                if isinstance(tls_config, dict):
                    if tls_config.get('insecure', False):
                        parts.append("skip-cert-verify=true")
                    if 'server_name' in tls_config:
                        parts.append(f"sni={tls_config['server_name'].strip()}")
                elif 'skip-cert-verify' in proxy:
                    parts.append(f"skip-cert-verify={str(proxy['skip-cert-verify']).lower()}")
                elif proxy_type == 'hysteria2':
                    parts.append(f"skip-cert-verify=true")
                
                if 'sni' in proxy:
                    parts.append(f"sni={proxy['sni'].strip()}")
                
                # 处理TCP Fast Open配置
                if 'tcp_fast_open' in proxy:
                    parts.append(f"tfo={str(proxy['tcp_fast_open']).lower()}")
            
            # 统一处理 udp-relay,避免重复
            if 'udp' in proxy:
                parts.append(f"udp-relay={'true' if proxy['udp'] in [True, 'true', 'True'] else 'false'}")
            elif proxy_type == 'ss':
                parts.append("udp-relay=true")

            transformed_proxies.append(", ".join(parts))

        return "\n".join(transformed_proxies) if transformed_proxies else "未找到有效的SS、Trojan或Hysteria2代理配置"
    except Exception as e:
        print(f"Error in extract_and_transform_proxies: {str(e)}", flush=True)
        return f"配置解析错误: {str(e)}"

def get_client_ip(request):
    headers_to_check = [
        'X-Forwarded-For',
        'X-Real-IP',
        'CF-Connecting-IP',
        'True-Client-IP',
        'X-Client-IP',
    ]
    for header in headers_to_check:
        ip = request.headers.get(header)
        if ip:
            return ip.split(',')[0].strip()
    return request.remote

async def handle_request(request):
    if request.path == '/':
        if 'url' in request.query:
            url = request.query['url']
            no_cache = 'nocache' in request.query
            cache_entry = None if no_cache else cache.get(url)
            cache_hit = False

            if cache_entry and not no_cache:
                result = cache_entry.data
                cache_hit = True
                cache_time = cache_entry.timestamp
            
            if not cache_hit or no_cache:
                try:
                    async with aiohttp.ClientSession(connector=TCPConnector(ssl=False)) as session:
                        input_text = await fetch_url(url, session)
                    new_result = await extract_and_transform_proxies(input_text)
                    if new_result != "未找到有效的代理配置" and new_result != "YAML解析错误":
                        result = new_result
                        cache.set(url, result)
                        cache_time = datetime.datetime.now()
                    elif not cache_hit:
                        result = new_result
                        cache_time = datetime.datetime.now()
                except Exception as e:
                    error_message = f"Error processing request: {str(e)}"
                    print(error_message, flush=True)
                    traceback.print_exc()
                    if cache_entry:
                        print("Using cached data due to error", flush=True)
                        result = cache_entry.data
                        cache_time = cache_entry.timestamp
                        cache_hit = True
                    else:
                        return web.Response(text=error_message, status=500)
            
            proxy_count = result.count('\n') + 1 if result and result != "未找到有效的代理配置" else 0
            return web.Response(text=result, content_type='text/plain', headers={
                'X-Proxy-Count': str(proxy_count),
                'X-Cache-Hit': str(cache_hit),
                'X-Cache-Time': cache_time.strftime('%Y-%m-%d %H:%M:%S'),
                'X-No-Cache': str(no_cache)
            })
        else:
            usage_guide = """
            <html>
            <body>
            <h1>代理配置转换工具</h1>
            <p>使用方法:在URL参数中提供包含代理配置的网址。</p>
            <p>示例:<code>http://localhost:8080/?url=https://example.com/path-to-proxy-config</code></p>
            <p>强制获取新数据:<code>http://localhost:8080/?url=https://example.com/path-to-proxy-config&nocache</code></p>
            </body>
            </html>
            """
            return web.Response(text=usage_guide, content_type='text/html')
    else:
        return web.Response(text="Not Found", status=404)

@web.middleware
async def logging_middleware(request, handler):
    start_time = datetime.datetime.now()
    try:
        response = await handler(request)
        end_time = datetime.datetime.now()
        
        timestamp = end_time.strftime('%Y-%m-%d %H:%M:%S')
        client_ip = get_client_ip(request)
        target_url = request.query.get('url', '-')
        no_cache = 'nocache' in request.query
        status_code = response.status
        proxy_count = response.headers.get('X-Proxy-Count', '0')
        cache_hit = "Hit" if response.headers.get('X-Cache-Hit') == 'True' else "Miss"
        cache_time = response.headers.get('X-Cache-Time', '-')
        
        log_message = f"{timestamp} - {client_ip} - \"GET /?url={target_url}{'&nocache' if no_cache else ''}\" - Status: {status_code} - Proxies: {proxy_count} - Cache: {cache_hit} - CacheTime: {cache_time} - NoCache: {'Yes' if no_cache else 'No'}"
        print(log_message, flush=True)
        
        return response
    except Exception as e:
        end_time = datetime.datetime.now()
        print(f"Error occurred: {str(e)}", flush=True)
        print(f"Request processing time: {end_time - start_time}", flush=True)
        print("Traceback:", flush=True)
        traceback.print_exc()
        return web.Response(text=f"Internal Server Error: {str(e)}", status=500)

async def init_app():
    app = web.Application(middlewares=[logging_middleware])
    app.router.add_get('/', handle_request)
    return app

if __name__ == "__main__":
    print(f"===== Application Startup at {datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S')} =====")
    print("Server running on port 8080")
    web.run_app(init_app(), port=8080, print=lambda _: None)