forked from 1989shack/SDomDiscover
-
Notifications
You must be signed in to change notification settings - Fork 1
/
AORT.py
1014 lines (932 loc) · 37.3 KB
/
AORT.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
#!/usr/bin/env python3
# AORT - All in One Recon Tool
# Author: D3Ext
# Github: https://github.com/D3Ext/AORT
# Website: https://d3ext.github.io
import sys
# Output Colours
class c:
PURPLE = '\033[95m'
BLUE = '\033[94m'
CYAN = '\033[96m'
GREEN = '\033[92m'
YELLOW = '\033[93m'
RED = '\033[91m'
END = '\033[0m'
UNDERLINE = '\033[4m'
# Libraries
try:
import requests
import re
import socket
import json
import argparse
import platform
import dns.zone
import warnings
import dns.resolver
import pydig
from time import sleep
import os
import urllib3
except Exception as e:
print(e)
print(c.YELLOW + "\n[" + c.RED + "-" + c.YELLOW + "] ERROR requirements missing try to install the requirements: pip3 install -r requirements.txt" + c.END)
sys.exit(0)
# Banner Function
def banner():
print(c.YELLOW + ' _____ ')
print(' .-" "-. ')
print(' / o o \ ')
print(' / \ / \ ')
print(' / )-"-( \ ')
print(' / ( 6 6 ) \ ')
print(' / \ " / \ ')
print(' / )=( \ - By D3Ext')
print(' / o .--"-"--. o \ ')
print(' / I / - - \ I \ ')
print(' .--( (_}y/\ /\y{_) )--. ')
print('( ".___l\/__\_____/__\/l___," ) ')
print(' \ / ')
print(' "-._ o O o O o O o _,-" ')
print(' `--Y--.___________.--Y--\' ')
print(' |==.___________.==| ')
print(' `==.___________.==\' ' + c.END)
print(c.BLUE + "\nPython version: " + c.GREEN + platform.python_version() + c.END)
print(c.BLUE + "Current OS: " + c.GREEN + platform.system() + " " + platform.release() + c.END)
internet_check = socket.gethostbyname(socket.gethostname())
if internet_check == "127.0.0.1":
if platform.system() == "Windows":
print(c.BLUE + "Internet connection: " + c.RED + "-" + c.END)
else:
print(c.BLUE + "Internet connection: " + c.RED + "✕" + c.END)
else:
if platform.system() == "Windows":
print(c.BLUE + "Internet connection: " + c.GREEN + "+" + c.END)
else:
print(c.BLUE + "Internet connection: " + c.GREEN + "✔" + c.END)
print(c.BLUE + "Target: " + c.GREEN + domain + c.END)
# Argument parser Function
def parseArgs():
p = argparse.ArgumentParser(description="AORT - All in One Recon Tool")
p.add_argument("-d", "--domain", help="domain to search its subdomains", required=True)
p.add_argument("-o", "--output", help="file to store the scan output", required=False)
p.add_argument('-t', '--token', help="api token of hunter.io to discover mail accounts and employees", required=False)
p.add_argument("-p", "--portscan", help="perform a fast and stealthy scan of the most common ports", action='store_true', required=False)
p.add_argument("-a", "--axfr", help="try a domain zone transfer attack", action='store_true', required=False)
p.add_argument("-m", "--mail", help="try to enumerate mail servers", action='store_true', required=False)
p.add_argument('-e', '--extra', help="look for extra dns information", action='store_true', required=False)
p.add_argument("-n", "--nameservers", help="try to enumerate the name servers", action='store_true', required=False)
p.add_argument("-i", "--ip", help="it reports the ip or ips of the domain", action='store_true', required=False)
p.add_argument('-6', '--ipv6', help="enumerate the ipv6 of the domain", action='store_true', required=False)
p.add_argument("-w", "--waf", help="discover the WAF of the domain main page", action='store_true', required=False)
p.add_argument("-b", "--backups", help="discover common backups files in the web page", action='store_true', required=False)
p.add_argument("-s", "--subtakeover", help="check if any of the subdomains are vulnerable to Subdomain Takeover", action='store_true', required=False)
p.add_argument("-r", "--repos", help="try to discover valid repositories and s3 servers of the domain (still improving it)", action='store_true', required=False)
p.add_argument("-c", "--check", help="check active subdomains and store them into a file", action='store_true', required=False)
p.add_argument("--secrets", help="crawl the web page to find secrets and api keys (e.g. Google Maps API Key)", action='store_true', required=False)
p.add_argument("--enum", help="stealthily enumerate and identify common technologies", action='store_true', required=False)
p.add_argument("--whois", help="perform a whois query to the domain", action='store_true', required=False)
p.add_argument("--wayback", help="find useful information about the domain and his different endpoints using The Wayback Machine and other services", action="store_true", required=False)
#p.add_argument("--fuzz", help="use a fuzzing wordlist with common files and directories", actionn='store_true', require=False)
p.add_argument("--all", help="perform all the enumeration at once (best choice)", action='store_true', required=False)
p.add_argument("--quiet", help="don't print the banner", action='store_true', required=False)
p.add_argument("--version", help="display the script version", action='store_true', required=False)
return p.parse_args()
# Nameservers Function
def ns_enum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Trying to discover valid name servers...\n" + c.END)
sleep(0.2)
"""
Query to get NS of the domain
"""
data = ""
try:
data = dns.resolver.resolve(f"{domain}", 'NS')
except:
pass
if data:
for ns in data:
print(c.YELLOW + str(ns) + c.END)
else:
print(c.YELLOW + "Unable to enumerate" + c.END)
# IPs discover Function
def ip_enum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Discovering IPs of the domain...\n" + c.END)
sleep(0.2)
"""
Query to get ips
"""
data = ""
try:
data = dns.resolver.resolve(f"{domain}", 'A')
except:
pass
if data:
for ip in data:
print(c.YELLOW + ip.to_text() + c.END)
else:
print(c.YELLOW + "Unable to enumerate" + c.END)
# Extra DNS info Function
def txt_enum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Enumerating extra DNS information...\n" + c.END)
sleep(0.2)
"""
Query to get extra info about the dns
"""
data = ""
try:
data = dns.resolver.resolve(domain, 'TXT')
except:
pass
if data:
for info in data:
print(c.YELLOW + info.to_text() + c.END)
else:
print(c.YELLOW + "Unable to enumerate" + c.END)
# Function to discover the IPv6 of the target
def ipv6_enum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Getting ipv6 of the domain...\n" + c.END)
sleep(0.2)
"""
Query to get ipv6
"""
data = ""
try:
data = pydig.query(domain, 'AAAA')
except:
pass
if data:
for info in data:
print(c.YELLOW + info + c.END)
else:
print(c.YELLOW + "Unable to enumerate" + c.END)
# Mail servers Function
def mail_enum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Finding valid mail servers...\n" + c.END)
sleep(0.2)
"""
Query to get mail servers
"""
data = ""
try:
data = dns.resolver.resolve(f"{domain}", 'MX')
except:
pass
if data:
for server in data:
print(c.YELLOW + str(server).split(" ")[1] + c.END)
else:
print(c.YELLOW + "Unable to enumerate" + c.END)
# Domain Zone Transfer Attack Function
def axfr(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Starting Domain Zone Transfer attack...\n" + c.END)
sleep(0.2)
"""
Iterate through the name servers and try an AXFR attack on everyone
"""
ns_answer = dns.resolver.resolve(domain, 'NS')
for server in ns_answer:
ip_answer = dns.resolver.resolve(server.target, 'A')
for ip in ip_answer:
try:
zone = dns.zone.from_xfr(dns.query.xfr(str(ip), domain))
for host in zone:
print(c.YELLOW + "Found Host: {}".format(host) + c.END)
except Exception as e:
print(c.YELLOW + "NS {} refused zone transfer!".format(server) + c.END)
continue
# Modified function from https://github.com/Nefcore/CRLFsuite WAF detector script <3
def wafDetector(domain):
"""
Get WAFs list in a file
"""
r = requests.get("https://raw.githubusercontent.com/D3Ext/AORT/main/utils/wafsign.json")
f = open('wafsign.json', 'w')
f.write(r.text)
f.close()
with open('wafsign.json', 'r') as file:
wafsigns = json.load(file)
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Discovering active WAF on the main web page...\n" + c.END)
sleep(1)
"""
Payload to trigger the possible WAF
"""
payload = "../../../../etc/passwd"
try:
"""
Check the domain and modify if neccessary
"""
if domain.endswith("/") and domain.startswith("https://"):
response = requests.get(domain + payload, verify=False)
elif domain.endswith("/") and not domain.startswith("https://"):
response = requests.get('https://' + domain + payload, verify=False)
elif not domain.endswith("/") and domain.startswith("https://"):
response = requests.get(domain + '/' + payload, verify=False)
elif not domain.endswith("/") and not domain.startswith("https://"):
response = requests.get('https://' + domain + '/' + payload, verify=False)
except:
print(c.YELLOW + "An error has ocurred" + c.END)
try:
os.remove('wafsign.json')
except:
pass
return None
code = str(response.status_code)
page = response.text
headers = str(response.headers)
cookie = str(response.cookies.get_dict())
"""
Check if WAF has blocked the request
"""
if int(code) >= 400:
bmatch = [0, None]
for wafname, wafsign in wafsigns.items():
total_score = 0
pSign = wafsign["page"]
cSign = wafsign["code"]
hSign = wafsign["headers"]
ckSign = wafsign["cookie"]
if pSign:
if re.search(pSign, page, re.I):
total_score += 1
if cSign:
if re.search(cSign, code, re.I):
total_score += 0.5
if hSign:
if re.search(hSign, headers, re.I):
total_score += 1
if ckSign:
if re.search(ckSign, cookie, re.I):
total_score += 1
if total_score > bmatch[0]:
del bmatch[:]
bmatch.extend([total_score, wafname])
if bmatch[0] != 0:
print(c.YELLOW + bmatch[1] + c.END)
else:
print(c.YELLOW + "WAF not detected or doesn't exists" + c.END)
else:
print(c.YELLOW + "An error has ocurred or unable to enumerate" + c.END)
try:
os.remove('wafsign.json')
except:
pass
# Use the token
def crawlMails(domain, api_token):
print(c.BLUE + "\n[" + c.GREEN + "+" + c.BLUE + "] Discovering valid mail accounts and employees..." + c.END)
"""
Use the api of hunter.io with your token to get valid mails
"""
sleep(1)
api_url = f"""https://api.hunter.io/v2/domain-search?domain={domain}&api_key={api_token}"""
r = requests.get(api_url)
response_data = json.loads(r.text)
domain_name = domain.split(".")[0]
print()
file = open(f"{domain_name}-mails-data.txt", "w")
file.write(r.text)
file.close()
counter = 0
for value in response_data["data"]["emails"]:
if value["first_name"] and value["last_name"]:
counter = 1
print(c.YELLOW + value["first_name"] + " " + value["last_name"] + " - " + value["value"] + c.END)
else:
counter = 1
print(c.YELLOW + value["value"] + c.END)
if counter == 0:
print(c.YELLOW + "\nNo mails or employees found" + c.END)
else:
print(c.YELLOW + "\nMore mail data stored in " + domain_name + "-mails-data.txt" + c.END)
# Function to check subdomain takeover
def subTakeover(all_subdomains):
"""
Iterate through all the subdomains to check if anyone is vulnerable to subdomain takeover
"""
vuln_counter = 0
print(c.BLUE + "\n[" + c.GREEN + "+" + c.BLUE + "] Checking if any subdomain is vulnerable to takeover\n" + c.END)
sleep(1)
for subdom in all_subdomains:
try:
sleep(0.05)
resquery = dns.resolver.resolve(subdom, 'CNAME')
for resdata in resquery:
resdata = (resdata.to_text())
if subdom[-8:] in resdata:
r = requests.get("https://" + subdom, allow_redirects=False)
if r.status_code == 200:
vuln_counter += 1
print(c.YELLOW + subdom + " appears to be vulnerable" + c.END)
else:
pass
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
if vuln_counter <= 0:
print(c.YELLOW + "No subdomains are vulnerable" + c.END)
# Function to enumerate github and cloud
def cloudgitEnum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Looking for git repositories and public development info\n" + c.END)
sleep(0.2)
try:
r = requests.get("https://" + domain + "/.git/", verify=False)
print(c.YELLOW + "Git repository URL: https://" + domain + "/.git/ - " + str(r.status_code) + " status code" + c.END)
except:
pass
try:
r = requests.get("https://bitbucket.org/" + domain.split(".")[0])
print(c.YELLOW + "Bitbucket account URL: https://bitbucket.org/" + domain.split(".")[0] + " - " + str(r.status_code) + " status code" + c.END)
except:
pass
try:
r = requests.get("https://github.com/" + domain.split(".")[0])
print(c.YELLOW + "Github account URL: https://github.com/" + domain.split(".")[0] + " - " + str(r.status_code) + " status code" + c.END)
#if r.status_code == 200:
#git_option = input("Do you want to analyze further the github account and its repos? [y/n]: ")
#if git_option == "y" or git_option == "yes":
#domain_name = domain.split(".")[0]
#r = requests.get("https://api.github.com/users/{domain_name}/repos")
#__import__('pdb').set_trace()
except:
pass
try:
r = requests.get("https://gitlab.com/" + domain.split(".")[0])
print(c.YELLOW + "Gitlab account URL: https://gitlab.com/" + domain.split(".")[0] + " - " + str(r.status_code) + " status code" + c.END)
except:
pass
# Wayback Machine function
def wayback(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Using The Wayback Machine to discover endpoints" + c.END)
wayback_url = f"http://web.archive.org/cdx/search/cdx?url=*.{domain}/*&output=json&fl=original&collapse=urlkey"
"""
Get information from Wayback Machine
"""
try:
r = requests.get(wayback_url, timeout=20)
results = r.json()
results = results[1:]
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
domain_name = domain.split(".")[0]
try:
os.remove(f"{domain_name}-wayback.txt")
except:
pass
for result in results:
"""
Save data to a file
"""
file = open(f"{domain_name}-wayback.txt", "a")
file.write(result[0] + "\n")
"""
Get URLs and endpoints from URLScan
"""
try:
r = requests.get(f"https://urlscan.io/api/v1/search/?q=domain:{domain}", timeout=20)
myresp = json.loads(r.text)
results = myresp["results"]
for res in results:
url = res["task"]["url"]
file = open(f"{domain_name}-wayback.txt", "a")
file.write(url + "\n")
except:
pass
print(c.YELLOW + f"\nAll URLs stored in {domain_name}-wayback.txt" + c.END)
sleep(0.3)
# Now filter wayback output to organize endpoints
print(c.YELLOW + f"\nGetting .json endpoints from URLs..." + c.END)
sleep(0.5)
try: # Remove existing file (avoid error when appending data to file)
os.remove(f"{domain_name}-json.txt")
except:
pass
urls = open(f"{domain_name}-wayback.txt", "r").readlines()
json_endpoints = []
for url in urls:
if ".json" in url and url not in json_endpoints:
json_endpoints.append(url)
# Store .json endpoints
f = open(f"{domain_name}-json-endpoints.txt", "a")
for json_url in json_endpoints:
f.write(json_url)
f.close()
json_len = len(json_endpoints)
print(c.YELLOW + f"JSON endpoints stored in {domain_name}-json.txt ({json_len} endpoints)" + c.END)
sleep(0.4)
print(c.YELLOW + f"Filtering out URLs to find potential XSS and Open Redirect vulnerable endpoints..." + c.END)
sleep(0.2)
wayback_content = open(f"{domain_name}-wayback.txt", "r").readlines()
redirects_file_exists = 1
# Check if redirects.json parameters file exists
if os.path.exists("redirects.json") == False:
redirects_file_exists = 0
r = requests.get("https://raw.githubusercontent.com/D3Ext/AORT/main/utils/redirects.json")
redirects_file = open("redirects.json", "w")
redirects_file.write(r.text)
redirects_file.close()
redirect_urls = []
redirects_raw = open("redirects.json")
redirects_json = json.load(redirects_raw)
for line in wayback_content:
line = line.strip()
for json_line in redirects_json["patterns"]:
if re.findall(rf".*{json_line}.*?", line):
endpoint_url = re.findall(rf".*{json_line}.*?", line)[0] + "FUZZ"
if endpoint_url not in redirect_urls:
redirect_urls.append(endpoint_url)
try: # Remove file if exists
os.remove(f"{domain_name}-redirects.txt")
except:
pass
# Write open redirects filter content
f = open(f"{domain_name}-redirects.txt", "a")
for filtered_url in redirect_urls:
f.write(filtered_url + "\n")
f.close()
end_info = len(redirect_urls)
print(c.YELLOW + f"Open Redirects endpoints stored in {domain_name}-redirects.txt ({end_info} endpoints)" + c.END)
xss_file_exists = 1
if os.path.exists("xss.json") == False:
xss_file_exists = 0
r = requests.get("https://raw.githubusercontent.com/D3Ext/AORT/main/utils/xss.json")
xss_file = open("xss.json", "w")
xss_file.write(r.text)
xss_file.close()
# Filter potential XSS
xss_urls = []
xss_raw = open("xss.json")
xss_json = json.load(xss_raw)
for line in wayback_content:
line = line.strip()
for json_line in xss_json["patterns"]:
if re.findall(rf".*{json_line}.*?", line):
endpoint_url = re.findall(rf".*{json_line}.*?", line)[0] + "FUZZ"
if endpoint_url not in xss_urls:
xss_urls.append(endpoint_url)
# Write xss filter content
f = open(f"{domain_name}-xss.txt", "a")
for filtered_url in xss_urls:
f.write(filtered_url + "\n")
f.close()
end_info = len(xss_urls)
print(c.YELLOW + f"XSS endpoints stored in {domain_name}-xss.txt ({end_info} endpoints)" + c.END)
sleep(0.1)
if redirects_file_exists == 0:
os.remove("redirects.json")
if xss_file_exists == 0:
os.remove("xss.json")
# Query the domain
def whoisLookup(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Performing Whois lookup..." + c.END)
import whois
sleep(1.2)
try:
w = whois.whois(domain) # Two different ways to avoid a strange error
except:
w = whois.query(domain)
try:
print(c.YELLOW + f"\n{w}" + c.END)
except:
print(c.YELLOW + "\nAn error has ocurred or unable to whois " + domain + c.END)
# Function to thread when probing active subdomains
def checkStatus(subdomain, file):
try:
r = requests.get("https://" + subdomain, timeout=2)
# Just check if the web is up and https
if r.status_code:
file.write("https://" + subdomain + "\n")
except:
try:
r = requests.get("http://" + subdomain, timeout=2)
# Check if is up and http
if r.status_code:
file.write("http://" + subdomain + "\n")
except:
pass
# Check status function
def checkActiveSubs(domain,doms):
global file
import threading
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Probing active subdomains..." + c.END)
if len(doms) >= 100:
subs_total = len(doms)
option = input(c.YELLOW + f"\nThere are a lot of subdomains to check, ({subs_total}) do you want to check all of them [y/n]: " + c.END)
if option == "n" or option == "no":
sleep(0.2)
return
""" Define filename """
domain_name = domain.split(".")[0]
file = open(f"{domain_name}-active-subs.txt", "w")
"""
Iterate through all subdomains in threads
"""
threads_list = []
for subdomain in doms:
t = threading.Thread(target=checkStatus, args=(subdomain,file))
t.start()
threads_list.append(t)
for proc_thread in threads_list: # Wait until all thread finish
proc_thread.join()
print(c.YELLOW + f"\nActive subdomains stored in {domain_name}-active-subs.txt" + c.END)
# Check if common ports are open
def portScan(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Scanning most common ports on " + domain + "\n" + c.END)
""" Define ports array """
ports = [21,22,23,25,26,43,53,69,80,81,88,110,135,389,443,445,636,873,1433,2049,3000,3001,3306,4000,4040,5000,5001,5985,5986,8000,8001,8080,8081,27017]
"""
Iterate through the ports to check if are open
"""
for port in ports:
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.settimeout(0.40)
result = sock.connect_ex((domain,port))
if result == 0:
print(c.YELLOW + "Port " + str(port) + " - OPEN" + c.END)
sock.close()
# Fuzz a little looking for backups
def findBackups(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Looking for common backup files...\n" + c.END)
back_counter = 0
hostname = domain.split(".")[0]
protocols = ["http", "https"]
filenames = [hostname, domain, "backup", "admin"]
extensions = ["sql.tar","tar","tar.gz","gz","tar.bzip2","sql.bz2","sql.7z","zip","sql.gz","7z"]
# Some common backup filenames with multiple extensions
for protocol in protocols:
for filename in filenames:
for ext in extensions:
url = protocol + "://" + domain + "/" + filename + "." + ext
try:
r = requests.get(url, verify=False)
code = r.status_code
except:
continue
if code != 404:
back_counter += 1
print(c.YELLOW + url + " - " + str(code) + c.END)
if back_counter == 0:
print(c.YELLOW + "No backup files found" + c.END)
# Look for Google Maps API key and test if it's vulnerable
def findSecrets(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Trying to found possible secrets and api keys..." + c.END)
for protocol in ["https", "http"]:
findSecretsFromUrl(protocol + "://" + domain)
def findSecretsFromUrl(url):
# Initial request
try:
r = requests.get(url, verify=False)
except:
return
js_list = []
key_counter = 0
url_list = re.findall(r'src="(.*?)"', r.text) + re.findall(r'href="(.*?)"', r.text)
# Get JS endpoints
for endpoint in url_list:
if ".js" in endpoint and "https://" not in endpoint:
js_list.append(endpoint)
if len(js_list) >= 1:
print(c.YELLOW + "\nDiscovered JS endpoints:" + c.END)
for js in js_list:
print(c.YELLOW + url + js + c.END)
for js_endpoint in js_list:
try:
r = requests.get(url + js_endpoint, verify=False)
except:
pass
if "https://maps.googleapis.com/" in r.text:
maps_api_key = re.findall(r'src="https://maps.googleapis.com/(.*?)"', r.text)[0]
print(c.YELLOW + "\nMaps API key found: " + maps_api_key + c.END)
key_counter = 1
try:
google_api = re.findall(r'AIza[0-9A-Za-z-_]{35}', r.text)[0]
if google_api:
print(c.YELLOW + "\nGoogle api found: " + google_api + c.END)
key_counter = 1
except:
pass
try:
google_oauth = re.findall(r'ya29\.[0-9A-Za-z\-_]+', r.text)[0]
if google_oauth:
print(c.YELLOW + "\nGoogle Oauth found: " + google_oauth + c.END)
key_counter = 1
except:
pass
try:
amazon_aws_url = re.findall(r's3\.amazonaws.com[/]+|[a-zA-Z0-9_-]*\.s3\.amazonaws.com', r.text)[0]
if amazon_aws_url:
print(c.YELLOW + "\nAmazon AWS url found on " + js_endpoint + c.END)
key_counter = 1
except:
pass
try:
stripe_key = re.findall(r'"pk_live_.*"', r.text)[0].replace('"', '')
if stripe_key:
print(c.YELLOW + "\nStripe key found on " + js_endpoint + c.END)
key_counter = 1
except:
pass
if key_counter != 1:
print(c.YELLOW + "\nNo secrets found" + c.END)
# Perform basic enumeration
def basicEnum(domain):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Performing some basic enumeration...\n" + c.END)
"""
Use python-Wappalyzer
"""
try:
print()
from Wappalyzer import Wappalyzer, WebPage
wappalyzer = Wappalyzer.latest()
webpage = WebPage.new_from_url('https://' + domain)
info = wappalyzer.analyze_with_versions(webpage)
if info != "{}":
print(c.YELLOW + json.dumps(info, sort_keys=True, indent=4) + c.END)
else:
print(c.YELLOW + "\nNo common technologies found" + c.END)
endpoints = ["robots.txt","xmlrpc.php","wp-cron.php","actuator/heapdump","datahub/heapdump","datahub/actuator/heapdump","heapdump","admin/",".env",".config","version.txt","README.md","license.txt","config.php.bak","api/","feed.xml","CHANGELOG.md","config.json","cgi-bin/","env.json",".htaccess","js/","kibana/","log.txt"]
for end in endpoints:
r = requests.get(f"https://{domain}/{end}", timeout=4)
print(c.YELLOW + f"https://{domain}/{end} - " + str(r.status_code) + c.END)
except:
print(c.YELLOW + "An error has ocurred or unable to enumerate" + c.END)
# Main Domain Discoverer Function
def SDom(domain,filename):
print(c.BLUE + "\n[" + c.END + c.GREEN + "+" + c.END + c.BLUE + "] Discovering subdomains using passive techniques...\n" + c.END)
sleep(0.1)
global doms
doms = []
"""
Get valid subdomains from crt.sh
"""
try:
r = requests.get("https://crt.sh/?q=" + domain + "&output=json", timeout=20)
formatted_json = json.dumps(json.loads(r.text), indent=4)
crt_domains = sorted(set(re.findall(r'"common_name": "(.*?)"', formatted_json)))
# Only append new valid subdomains
for dom in crt_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from AlienVault
"""
try:
r = requests.get(f"https://otx.alienvault.com/api/v1/indicators/domain/{domain}/passive_dns", timeout=20)
alienvault_domains = sorted(set(re.findall(r'"hostname": "(.*?)"', r.text)))
# Only append new valid subdomains
for dom in alienvault_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from Hackertarget
"""
try:
r = requests.get(f"https://api.hackertarget.com/hostsearch/?q={domain}", timeout=20)
hackertarget_domains = re.findall(r'(.*?),', r.text)
# Only append new valid subdomains
for dom in hackertarget_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from RapidDNS
"""
try:
r = requests.get(f"https://rapiddns.io/subdomain/{domain}", timeout=20)
rapiddns_domains = re.findall(r'target="_blank".*?">(.*?)</a>', r.text)
# Only append new valid subdomains
for dom in rapiddns_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from Riddler
"""
try:
r = requests.get(f"https://riddler.io/search/exportcsv?q=pld:{domain}", timeout=20)
riddler_domains = re.findall(r'\[.*?\]",.*?,(.*?),\[', r.text)
# Only append new valid subdomains
for dom in riddler_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from ThreatMiner
"""
try:
r = requests.get(f"https://api.threatminer.org/v2/domain.php?q={domain}&rt=5", timeout=20)
raw_domains = json.loads(r.content)
threatminer_domains = raw_domains['results']
# Only append new valid subdomains
for dom in threatminer_domains:
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
"""
Get subdomains from URLScan
"""
try:
r = requests.get(f"https://urlscan.io/api/v1/search/?q={domain}", timeout=20)
urlscan_domains = sorted(set(re.findall(r'https://(.*?).' + domain, r.text)))
# Only append new valid subdomains
for dom in urlscan_domains:
dom = dom + "." + domain
if dom.endswith(domain) and dom not in doms:
doms.append(dom)
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
except:
pass
if filename != None:
f = open(filename, "a")
if doms:
"""
Iterate through the subdomains and check the lenght to print them in a table format
"""
print(c.YELLOW + "+" + "-"*47 + "+")
for value in doms:
if len(value) >= 10 and len(value) <= 14:
print("| " + value + " \t\t\t\t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 15 and len(value) <= 19:
print("| " + value + "\t\t\t\t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 20 and len(value) <= 24:
print("| " + value + " \t\t\t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 25 and len(value) <= 29:
print("| " + value + "\t\t\t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 30 and len(value) <= 34:
print("| " + value + " \t\t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 35 and len(value) <= 39:
print("| " + value + " \t|")
if filename != None:
f.write(value + "\n")
if len(value) >= 40 and len(value) <= 44:
print("| " + value + " \t|")
if filename != None:
f.write(value + "\n")
"""
Print summary
"""
print("+" + "-"*47 + "+" + c.END)
print(c.YELLOW + "\nTotal discovered sudomains: " + str(len(doms)) + c.END)
"""
Close file if "-o" parameter was especified
"""
if filename != None:
f.close()
print(c.BLUE + "\n[" + c.GREEN + "+" + c.BLUE + "] Output stored in " + filename)
else:
print(c.YELLOW + "No subdomains discovered through SSL transparency" + c.END)
# Check if the given target is active
def checkDomain(domain):
try:
addr = socket.gethostbyname(domain)
except:
print(c.YELLOW + "\nTarget doesn't exists or is down" + c.END)
sys.exit(1)
# Program workflow starts here
if __name__ == '__main__':
program_version = 1.7
urllib3.disable_warnings()
warnings.simplefilter('ignore')
if "--version" in sys.argv:
print("\nAll in One Recon Tool v" + str(program_version) + " - By D3Ext")
print("Contact me: <[email protected]>\n")
sys.exit(0)
parse = parseArgs()
# Check domain format
if "." not in parse.domain:
print(c.YELLOW + "\nInvalid domain format, example: domain.com" + c.END)
sys.exit(0)
# If --output is passed (store subdomains in file)
if parse.output:
store_info=1
filename = parse.output
else:
filename = None
global domain
domain = parse.domain
checkDomain(domain)
"""
If --all is passed do all enumeration processes
"""
if parse.domain and parse.all:
if domain.startswith('https://'):
domain = domain.split('https://')[1]
if domain.startswith('http://'):
domain = domain.split('http://')[1]
try:
if not parse.quiet:
banner()
SDom(domain,filename)
portScan(domain)
ns_enum(domain)
axfr(domain)
mail_enum(domain)
ip_enum(domain)
ipv6_enum(domain)
txt_enum(domain)
whoisLookup(domain)
basicEnum(domain)
findBackups(domain)
findSecrets(domain)
cloudgitEnum(domain)
wafDetector(domain)
checkActiveSubs(domain,doms)
wayback(domain)
subTakeover(doms)
if parse.token:
crawlMails(domain, parse.token)
else:
print(c.BLUE + "\n[" + c.GREEN + "-" + c.BLUE + "] No API token provided, skipping email crawling" + c.END)
try:
file.close()
except:
pass
except KeyboardInterrupt:
sys.exit(c.RED + "\n[!] Interrupt handler received, exiting...\n" + c.END)
sys.exit(0)
"""
Enter in this part if the --all isn't passed
"""
if parse.domain:
domain = parse.domain
if domain.startswith('https://'):
domain = domain.split('https://')[1]
if domain.startswith('http://'):
domain = domain.split('http://')[1]
try:
if not parse.quiet:
banner()
SDom(domain,filename)
"""
Check the passed arguments via command line
"""
if parse.portscan:
portScan(domain)
if parse.nameservers:
ns_enum(domain)
if parse.axfr:
axfr(domain)
if parse.mail:
mail_enum(domain)
if parse.ip:
ip_enum(domain)
if parse.ipv6:
ipv6_enum(domain)
if parse.extra:
txt_enum(domain)
if parse.whois:
whoisLookup(domain)
if parse.enum:
basicEnum(domain)
if parse.backups:
findBackups(domain)
if parse.secrets:
findSecrets(domain)
if parse.repos:
cloudgitEnum(domain)
if parse.waf: