forked from atdpa4sw0rd/Search-Tools
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsearch_main.py
2844 lines (2558 loc) · 185 KB
/
search_main.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
from PyQt5 import QtWidgets, QtCore
from PyQt5.QtWidgets import QMessageBox,QTableWidget,QTableWidgetItem,QCompleter,QWidget,QVBoxLayout
from PyQt5.QtCore import pyqtSignal, QObject, QThread,QFileInfo,QRegExp,QUrl,Qt,QTimer
from PyQt5.QtWebEngineWidgets import QWebEngineView
from Ui_search import Ui_allsearch
from Ui_targetinfo import Ui_Form
from ipwhois import IPWhois
from bs4 import BeautifulSoup
from http import cookiejar
import items
import favicon
from PyQt5.QtGui import QIcon,QRegExpValidator,QIntValidator,QDesktopServices
from threading import Thread
from urllib.parse import quote
from dateutil.parser import parse
from USER_AGENTS import USER_AGENTS
import re,sys,os,json,datetime,base64,requests,shodan,mmh3,random,xlwt,codecs,hashlib
import subprocess
import time
items_list=items.items_all()
class MyWindow(QtWidgets.QMainWindow, Ui_allsearch):
def __init__(self):
super(MyWindow, self).__init__()
self.setupUi(self)
self.start_search_pushButton.clicked.connect(self.start_searching)
self.proxy_test_pushButton.clicked.connect(self.start_proxy)
self.loca_pushButton.clicked.connect(self.ip_location)
self.statusBar().showMessage('by: mojie')
self.init_start_keywords_lineEdit()
def init_start_keywords_lineEdit(self):
self.completer = QCompleter(items_list)
self.completer.setFilterMode(Qt.MatchStartsWith)
self.completer.setCompletionMode(QCompleter.PopupCompletion)
self.start_keywords_lineEdit.setCompleter(self.completer)
def ip_location(self):
if 'ip=' in self.start_keywords_lineEdit.text():
hostinfo = self.start_keywords_lineEdit.text()
self.ip_l = ip_location(hostinfo)
self.ip_l.show()
else:
pass
def fofa_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
email = re.findall(r'fofa_email="(.*?)"',info[0])
key = re.findall(r'fofa_key="(.*?)"',info[1])
return (email,key)
def zoomeye_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
key = re.findall(r'zoomeye_key="(.*?)"',info[2])
return key
def quake_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
key = re.findall(r'quake_key="(.*?)"',info[3])
return key
def shodan_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
key = re.findall(r'shodan_key="(.*?)"',info[4])
return key
def censys_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
uid = re.findall(r'censys_uid="(.*?)"',info[5])
secret = re.findall(r'censys_secret="(.*?)"',info[6])
return (uid,secret)
def binaryedge_key(self):
with open('./config.ini','r',encoding='utf8') as f:
info = f.readlines()
key = re.findall(r'binaryedge_key="(.*?)"',info[7])
return key
def search_str_select(self):
try:
with open('./rules.json','r', encoding='utf8') as f:
info = json.load(f)
json_key,json_val = re.findall('(.*)=(.*)',self.start_keywords_lineEdit.text())[0]
json_str = json_key + '='
if json_str in info:
return [info[json_str],json_val]
else:
return self.start_keywords_lineEdit.text()
except Exception as e:
self.notice_output_textBrowser.setText("<font color='#ff0000'>" + str(e) + "<font>")
def search_str_select_test(self):
if '++' in self.start_keywords_lineEdit.text() or '--' in self.start_keywords_lineEdit.text() or '^^' in self.start_keywords_lineEdit.text():
res = list(filter(None,re.split('\+\+|\-\-|\^\^',self.start_keywords_lineEdit.text())))
strq_key = []
for i in res:
try:
with open('./rules.json','r', encoding='utf8') as f:
info = json.load(f)
# json_key,json_val = re.findall('(.*)=(.*)',i)[0]
json_c = re.split('[=]',i)
# print(json_c)
# print(json_key,json_val)
json_str = json_c[0] + '='
if json_str in info:
strq_key.append(info[json_str])
strq_key.append(json_c[1])
# return [info[json_str],json_c[1]]
else:
return strq_key.append(i)
except Exception as e:
pass
return strq_key
elif '=' in self.start_keywords_lineEdit.text().strip():
try:
with open('./rules.json','r', encoding='utf8') as f:
info = json.load(f)
# json_key,json_val = re.findall('(.*)=(.*)',i)[0]
json_c = re.split('[=]',self.start_keywords_lineEdit.text().strip())
# print(json_key,json_val)
json_str = json_c[0] + '='
if json_str in info:
return [info[json_str],json_c[1]]
else:
return self.start_keywords_lineEdit.text().strip()
except Exception as e:
pass
else:
return self.start_keywords_lineEdit.text().strip()
def search_flag(self):
flag = re.findall('\+{2}|\-{2}|\^{2}',self.start_keywords_lineEdit.text())
flag.append(' ')
return flag
def fofa_search_str(self):
qstr_dic = {'++': '&&','--': '||','^^': '!=',' ': ' '}
flag = self.search_flag()
qstr = self.search_str_select_test()
fofa_str = []
for i in range(0,len(qstr),2):
fofa_str.append(qstr[i][0]+'"'+qstr[i+1]+'"')
fofa_fina_str = ''
for i in range(len(fofa_str)):
fofa_fina_str += (fofa_str[i] + qstr_dic[flag[i]])
return fofa_fina_str
def zoomeye_search_str(self):
qstr_dic = {'++': '+','--': ' ','^^': '-',' ': ' '}
flag = self.search_flag()
qstr = self.search_str_select_test()
zoomeye_str = []
for i in range(0,len(qstr),2):
zoomeye_str.append(qstr[i][1]+'"'+qstr[i+1]+'"')
zoomeye_fina_str = ''
for i in range(len(zoomeye_str)):
zoomeye_fina_str += (zoomeye_str[i] + qstr_dic[flag[i]])
return zoomeye_fina_str
def quake_search_str(self):
qstr_dic = {'++': 'AND','--': 'OR','^^': 'NOT',' ': ' '}
flag = self.search_flag()
qstr = self.search_str_select_test()
quake_str = []
for i in range(0,len(qstr),2):
quake_str.append(qstr[i][2]+'"'+qstr[i+1]+'"')
quake_fina_str = ''
for i in range(len(quake_str)):
quake_fina_str += (' '+quake_str[i] + ' ' + qstr_dic[flag[i]]+' ')
return quake_fina_str
def shodan_search_str(self):
qstr_dic = {'++': ' ','--': ' ','^^': ' ',' ': ' '}
flag = self.search_flag()
qstr = self.search_str_select_test()
shodan_str = []
for i in range(0,len(qstr),2):
shodan_str.append(qstr[i][3]+'"'+qstr[i+1]+'"')
shodan_fina_str = ''
for i in range(len(shodan_str)):
shodan_fina_str += (' '+shodan_str[i] + ' ' + qstr_dic[flag[i]]+' ')
return shodan_fina_str
def censys_search_str(self):
qstr_dic = {'++': 'AND','--': 'OR','^^': 'NOT',' ': ' '}
flag = self.search_flag()
qstr = self.search_str_select_test()
censys_str = []
for i in range(0,len(qstr),2):
censys_str.append(qstr[i][4]+'"'+qstr[i+1]+'"')
censys_fina_str = ''
for i in range(len(censys_str)):
censys_fina_str += (' '+censys_str[i] + ' ' + qstr_dic[flag[i]]+' ')
return censys_fina_str
def quake_icon(self):
filename = self.start_keywords_lineEdit.text().split('/')[-1]
filename_name = filename.split('.')[-1]
filepath = os.path.join('./icon', filename)
requests.packages.urllib3.disable_warnings()
file_data = requests.get(self.start_keywords_lineEdit.text(), allow_redirects=True,verify=False).content
with open(filepath, 'wb') as handler:
handler.write(file_data)
icon_path = open('./icon/' + filename,'rb')
md = hashlib.md5()
md.update(icon_path.read())
icon_hash = md.hexdigest()
return icon_hash
def fofa_shodan_icon(self):
requests.packages.urllib3.disable_warnings()
icon = mmh3.hash(codecs.lookup('base64').encode(requests.get(self.start_keywords_lineEdit.text(),verify=False).content)[0])
return icon
def filelog_time(self):
fofa_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/fofa_search.log").st_ctime))
fofa_ntime = datetime.datetime.now()
fofa_file_creat_time = (parse(str(fofa_ntime)) - parse(fofa_ctime)).days
zoomeye_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/zoomeye_search.log").st_ctime))
zoomeye_ntime = datetime.datetime.now()
zoomeye_file_creat_time = (parse(str(zoomeye_ntime)) - parse(zoomeye_ctime)).days
quake_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/quake_search.log").st_ctime))
quake_ntime = datetime.datetime.now()
quake_file_creat_time = (parse(str(quake_ntime)) - parse(quake_ctime)).days
shodan_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/quake_search.log").st_ctime))
shodan_ntime = datetime.datetime.now()
shodan_file_creat_time = (parse(str(shodan_ntime)) - parse(shodan_ctime)).days
censys_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/censys_search.log").st_ctime))
censys_ntime = datetime.datetime.now()
censys_file_creat_time = (parse(str(censys_ntime)) - parse(censys_ctime)).days
binaryedge_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/binaryedge_search.log").st_ctime))
binaryedge_ntime = datetime.datetime.now()
binaryedge_file_creat_time = (parse(str(binaryedge_ntime)) - parse(binaryedge_ctime)).days
rapiddns_ctime = time.strftime('%Y-%m-%d %H:%M:%S',time.localtime(os.stat("./temp/rapiddns_search.log").st_ctime))
rapiddns_ntime = datetime.datetime.now()
rapiddns_file_creat_time = (parse(str(rapiddns_ntime)) - parse(rapiddns_ctime)).days
return [fofa_file_creat_time,zoomeye_file_creat_time,quake_file_creat_time,shodan_file_creat_time,censys_file_creat_time,binaryedge_file_creat_time,rapiddns_file_creat_time]
# def start_get_proxy(self):
# print(self.proxy_checkBox.isChecked())
# t = get_proxy_list(self.fofa_key()[0][0],str(self.fofa_key()[1][0]))
# t.text_print.connect(self.proxy_output)
# t.start()
def start_searching(self):
if self.proxy_checkBox.isChecked() == True:
proxy_flag = 'start'
else:
proxy_flag = 'stop'
self.start_search_pushButton.setEnabled(False)
if len(self.start_keywords_lineEdit.text()) == 0:
self.notice_output_textBrowser.setText("<font color='#ff0000'>" + '>请输入搜索关键字' + "<font>")
else:
iconame = ['jpg','png','ico']
filename = self.start_keywords_lineEdit.text().split('.')[-1]
if '://' in self.start_keywords_lineEdit.text() or filename in iconame:
log_time = self.filelog_time()
quake_icon = 'favicon: ' + '"' + str(self.quake_icon()) + '"'
fofa_icon = 'icon_hash=' + '"' + str(self.fofa_shodan_icon()) + '"'
shodan_icon = 'http.favicon.hash:' + str(self.fofa_shodan_icon())
self.fofa_thread = fofa_search_qthread(self.start_time_spinBox.text(),fofa_icon,self.fofa_key()[0][0],self.fofa_key()[1][0],self.start_keywords_lineEdit.text(),log_time[0],proxy_flag,self.fofa_checkBox.isChecked(),self.fofa_size_lineEdit.text())
self.fofa_thread.text_print.connect(self.fofa_output)
self.fofa_thread.notice_print.connect(self.notice_output)
self.fofa_thread.count_print.connect(self.count_output)
self.fofa_thread.res_print.connect(self.all_output)
self.fofa_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.zoomeye_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.zoomeye_search_output_textBrowser.append("<font color='#ff0000'>" + '>Zoomeye不支持Icon查询' + "<font>")
self.quake_thread = quake_search_qthread(self.quake_key()[0],quake_icon,self.start_keywords_lineEdit.text(),log_time[2],proxy_flag,self.quake_checkBox.isChecked(),self.quake_size_lineEdit.text())
self.quake_thread.text_print.connect(self.quake_output)
self.quake_thread.notice_print.connect(self.notice_output)
self.quake_thread.count_print.connect(self.count_output)
self.quake_thread.res_print.connect(self.all_output)
self.quake_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.shodan_thread = shodan_search_qthread(self.shodan_key()[0],shodan_icon,self.start_keywords_lineEdit.text(),log_time[3],self.shodan_checkBox.isChecked(),self.shodan_size_lineEdit.text())
self.shodan_thread.text_print.connect(self.shodan_output)
self.shodan_thread.notice_print.connect(self.notice_output)
self.shodan_thread.count_print.connect(self.count_output)
self.shodan_thread.res_print.connect(self.all_output)
self.shodan_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.fofa_thread.start()
self.quake_thread.start()
self.shodan_thread.start()
else:
select_str = self.search_str_select()
fofa_str = self.fofa_search_str()
quake_str = self.quake_search_str()
zoomeye_str = self.zoomeye_search_str()
shodan_str = self.shodan_search_str()
censys_str = self.censys_search_str()
log_time = self.filelog_time()
self.fofa_thread = fofa_search_qthread(self.start_time_spinBox.text(),fofa_str,self.fofa_key()[0][0],self.fofa_key()[1][0],self.start_keywords_lineEdit.text(),log_time[0],proxy_flag,self.fofa_checkBox.isChecked(),self.fofa_size_lineEdit.text())
# self.fofa_thread = fofa_search_qthread(self.start_time_spinBox.text(),select_str[0][0]+'"'+select_str[1]+'"',self.fofa_key()[0][0],self.fofa_key()[1][0])
self.fofa_thread.text_print.connect(self.fofa_output)
self.fofa_thread.notice_print.connect(self.notice_output)
self.fofa_thread.count_print.connect(self.count_output)
self.fofa_thread.res_print.connect(self.all_output)
self.fofa_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.zoomeye_thread = zoomeye_search_qthread(zoomeye_str,self.zoomeye_key()[0],self.start_time_spinBox.text(),self.start_keywords_lineEdit.text(),log_time[1],proxy_flag,self.zoomeye_checkBox.isChecked(),self.zoomeye_size_lineEdit.text())
# self.zoomeye_thread = zoomeye_search_qthread(select_str[0][1]+'"'+select_str[1]+'"',self.zoomeye_key()[0],self.start_time_spinBox.text())
self.zoomeye_thread.text_print.connect(self.zoomeye_output)
self.zoomeye_thread.notice_print.connect(self.notice_output)
self.zoomeye_thread.count_print.connect(self.count_output)
self.zoomeye_thread.res_print.connect(self.all_output)
self.zoomeye_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.quake_thread = quake_search_qthread(self.quake_key()[0],quake_str,self.start_keywords_lineEdit.text(),log_time[2],proxy_flag,self.quake_checkBox.isChecked(),self.quake_size_lineEdit.text())
# self.quake_thread = quake_search_qthread(self.quake_key()[0],select_str[0][2]+'"'+select_str[1]+'"')
self.quake_thread.text_print.connect(self.quake_output)
self.quake_thread.notice_print.connect(self.notice_output)
self.quake_thread.count_print.connect(self.count_output)
self.quake_thread.res_print.connect(self.all_output)
self.quake_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.shodan_thread = shodan_search_qthread(self.shodan_key()[0],shodan_str,self.start_keywords_lineEdit.text(),log_time[3],self.shodan_checkBox.isChecked(),self.shodan_size_lineEdit.text())
# self.shodan_thread = shodan_search_qthread(self.shodan_key()[0],select_str[0][3]+'"'+select_str[1]+'"')
self.shodan_thread.text_print.connect(self.shodan_output)
self.shodan_thread.notice_print.connect(self.notice_output)
self.shodan_thread.count_print.connect(self.count_output)
self.shodan_thread.res_print.connect(self.all_output)
self.shodan_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.censys_thread = censys_search_qthread(self.censys_key()[0][0],self.censys_key()[1][0],censys_str,self.start_keywords_lineEdit.text(),log_time[4],proxy_flag,self.censys_checkBox.isChecked(),self.censys_size_lineEdit.text())
self.censys_thread.text_print.connect(self.censys_output)
self.censys_thread.notice_print.connect(self.notice_output)
self.censys_thread.count_print.connect(self.count_output)
self.censys_thread.res_print.connect(self.all_output)
self.censys_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.binaryedge_thread = binaryedge_search_qthread(self.binaryedge_key()[0],self.start_keywords_lineEdit.text(),log_time[5],proxy_flag,self.binaryedge_checkBox.isChecked(),self.binaryedge_size_lineEdit.text())
self.binaryedge_thread.text_print.connect(self.binaryedge_output)
self.binaryedge_thread.notice_print.connect(self.notice_output)
self.binaryedge_thread.count_print.connect(self.count_output)
self.binaryedge_thread.res_print.connect(self.all_output)
self.binaryedge_search_output_textBrowser.setText("<font color='#55ff00'>" + '==========================' + "<font>")
self.rapiddns_qthread = rapiddns_search_qthread(self.start_keywords_lineEdit.text(),log_time[6],proxy_flag,self.fofa_checkBox.isChecked(),self.fofa_size_lineEdit.text())
self.rapiddns_qthread.text_print.connect(self.all_output)
self.rapiddns_qthread.count_print.connect(self.rapiddns_output)
self.rapiddns_qthread.notice_print.connect(self.notice_output)
self.fofa_thread.start()
self.fofa_thread.quit()
self.zoomeye_thread.start()
self.zoomeye_thread.quit()
self.quake_thread.start()
self.quake_thread.quit()
self.shodan_thread.start()
self.shodan_thread.quit()
self.censys_thread.start()
self.censys_thread.quit()
self.binaryedge_thread.start()
self.binaryedge_thread.quit()
self.rapiddns_qthread.start()
self.rapiddns_qthread.quit()
self.final_result_search_output_textBrowser.setText('')
self.start_search_pushButton.setEnabled(True)
def start_proxy(self):
email = self.fofa_key()[0][0]
key = self.fofa_key()[1][0]
proxy_aliving = []
try:
with open('./temp/proxylist','r',encoding='utf8') as f:
proxy_count = len(f.readlines())
except Exception:
self.proxy_output_textBrowser.setText("<font color='#ffff00'>" + ">没有proxylist文件"+ "<font>")
self.proxy_start = get_proxy_list(email,key)
self.proxy_start.text_print.connect(self.proxy_output)
self.proxy_start.start()
def fofa_output(self,text):
if '错误' in text:
self.fofa_search_output_textBrowser.setText(str(text))
else:
self.fofa_search_output_textBrowser.append(str(text))
def zoomeye_output(self,text):
if '错误' in text:
self.zoomeye_search_output_textBrowser.setText(str(text))
else:
self.zoomeye_search_output_textBrowser.append(str(text))
def quake_output(self,text):
if '错误' in text:
self.quake_search_output_textBrowser.setText(str(text))
else:
self.quake_search_output_textBrowser.append(str(text))
def shodan_output(self,text):
if '错误' in text:
self.shodan_search_output_textBrowser.setText(str(text))
else:
self.shodan_search_output_textBrowser.append(str(text))
def censys_output(self,text):
if '错误' in text:
self.censys_search_output_textBrowser.setText(str(text))
else:
self.censys_search_output_textBrowser.append(str(text))
def binaryedge_output(self,text):
if '错误' in text:
self.binaryedge_search_output_textBrowser.setText(str(text))
elif '开始整理数据' in text:
# self.start_res = result_clear(self.final_result_search_output_textBrowser.toPlainText())
self.start_res = result_start()
self.start_res.text_print.connect(self.result_start_output)
self.start_res.start()
else:
self.binaryedge_search_output_textBrowser.append(str(text))
def rapiddns_output(self,text):
if '开始整理数据' in text:
self.start_res = result_start()
self.start_res.text_print.connect(self.result_start_output)
self.start_res.start()
else:
pass
def proxy_output(self,text):
appendlist = ['发现存活代理','[+]','高质量代理']
settextlist = ['代理请求失败','正在请求新代理','代理获取完成']
if '发现存活代理' in text or '[+]' in text or '高质量代理' in text:
self.proxy_output_textBrowser.append(str(text))
elif '正在请求新代理' in text or '代理请求失败' in text or '代理获取完成' in text:
self.proxy_output_textBrowser.setText(str(text))
else:
self.proxy_output_textBrowser.append(str(text))
def result_start_output(self,text):
if "start" in text:
self.start_res = result_clear(self.final_result_search_output_textBrowser.toPlainText())
self.start_res.text_print.connect(self.all_output)
self.start_res.start()
else:
pass
def notice_output(self,text):
self.notice_output_textBrowser.append(str(text))
def count_output(self,text):
self.count_output_textBrowser.append(str(text))
def all_output(self,text):
if '开始整理数据' in text:
self.final_result_search_output_textBrowser.setText('')
else:
self.final_result_search_output_textBrowser.append(str(text))
class result_start(QThread):
text_print = pyqtSignal(str)
notice_print = pyqtSignal(str)
count_print = pyqtSignal(str)
res_print = pyqtSignal(str)
def __init__(self):
super(result_start,self).__init__()
def run(self):
time.sleep(6)
self.text_print.emit("start")
class result_clear(QThread):
text_print = pyqtSignal(str)
notice_print = pyqtSignal(str)
count_print = pyqtSignal(str)
res_print = pyqtSignal(str)
def __init__(self,a):
super(result_clear,self).__init__()
self.res = a
def run(self):
# time.sleep(6)
test = self.res.strip().replace('[+]','').split('\n')
save_xls = time.strftime("%Y%m%d%H%M%S", time.localtime()) + '.xls'
cout = 1
book = xlwt.Workbook(encoding='utf-8')
sheet = book.add_sheet('hostinfo',cell_overwrite_ok=True)
sheet.write(0,0, 'Hostinfo')
sheet.write(0,1, 'Protocol')
sheet.write(0,2, 'Banner')
for i in test:
list_a = i.strip().replace('[+]','').split(',')
if len(list_a) == 1:
sheet.write(cout,0,list_a[0])
sheet.write(cout,1,'Null')
sheet.write(cout,2,'Null')
cout += 1
elif len(list_a) == 2:
sheet.write(cout,0,list_a[0])
sheet.write(cout,1,list_a[1])
sheet.write(cout,2,'Null')
cout += 1
else:
sheet.write(cout,0,list_a[0])
sheet.write(cout,1,list_a[1])
sheet.write(cout,2,list_a[2])
cout += 1
book.save('./result/'+save_xls)
webtarget = {}
nowtarget = {}
# types = ['http','https','ssl/http']
self.text_print.emit("<font color='#55ff00'>" + ">开始整理数据..." + "<font>")
for i in test:
x = i.split(',')
if len(x) == 3:
if all(v for v in i.split(',')) == False:
hostinfo = i.split(',')[0]
service = i.split(',')[1]
if hostinfo in webtarget.keys():
aa = webtarget[hostinfo]
# print(webtarget)
aa[0].append(service)
else:
webtarget[hostinfo] = [[service],[]]
# print(webtarget)
# print(hostinfo , service)
else:
hostinfo = i.split(',')[0]
service = i.split(',')[1]
title = i.split(',')[2]
if hostinfo in webtarget.keys():
# print(webtarget)
aa = webtarget[hostinfo]
aa[0].append(service)
aa[1].append(title)
else:
webtarget[hostinfo] = [[service],[title]]
# print(hostinfo , service,title)
else:
if all(v for v in i.split(',')) == False:
pass
else:
hostinfo = i.split(',')[0]
service = i.split(',')[1]
if hostinfo in webtarget.keys():
bb = webtarget[hostinfo]
bb[0].append(service)
elif hostinfo in nowtarget.keys():
bb = nowtarget[hostinfo]
bb.append(service)
else:
nowtarget[hostinfo] = [service]
for i in webtarget.keys():
service_https = ['https','http/ssl','https-simple-new']
services = list(set(webtarget[i][0]))
title = list(set(webtarget[i][1]))
services_ip = ''
title_ip = ''
if len(services) >= 2:
for j in services:
services_ip = services_ip +j +'|'
if j == 'http':
host_t = j
elif j in service_https:
host_t = 'https'
else:
pass
httpurl = '<a href=\"'+host_t +'://' + i + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + i + '</span></a>'
if len(title) >= 2:
for k in title:
title_ip = title_ip +k + '|'
self.text_print.emit("<font color='#ffff00'>" + '资产: '+ httpurl +' 协议有变动: ' +services_ip+ "<font>")
self.text_print.emit("<font color='#ffff00'>" + '标题有变动: '+ title_ip + "<font>")
time.sleep(0.1)
elif len(title) == 1:
self.text_print.emit("<font color='#55ff00'>" + '资产: '+ httpurl +' 协议有变动: ' +services[0]+ "<font>")
self.text_print.emit("<font color='#55ff00'>" + '标题: '+ title[0] + "<font>")
time.sleep(0.1)
else:
self.text_print.emit("<font color='#ffff00'>" + '资产: '+ httpurl +' 协议有变动: ' +services_ip+ "<font>")
self.text_print.emit("<font color='#55ff00'>" + '标题: '+ 'None'+ "<font>")
time.sleep(0.1)
else:
if services[0] in service_https:
http_protocol = 'https'
else:
http_protocol = services[0]
httpurl = '<a href=\"'+ http_protocol +'://' + i + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + i + '</span></a>'
if len(title) >= 2:
for k in title:
title_ip = title_ip +k+ '|'
self.text_print.emit("<font color='#55ff00'>" + '资产: '+ httpurl +' 协议无变动: ' +http_protocol+ "<font>")
self.text_print.emit("<font color='#ffff00'>" + '标题有变动: '+ title_ip + "<font>")
time.sleep(0.1)
elif len(title) == 1:
self.text_print.emit("<font color='#55ff00'>" + '资产: '+ httpurl +' 协议无变动: ' +http_protocol+ "<font>")
self.text_print.emit("<font color='#55ff00'>" + '标题: '+ title[0] + "<font>")
time.sleep(0.1)
else:
self.text_print.emit("<font color='#55ff00'>" + '资产: '+ httpurl +' 协议无变动: ' +http_protocol+ "<font>")
self.text_print.emit("<font color='#55ff00'>" + '标题: None' + "<font>")
time.sleep(0.1)
for inow in nowtarget.keys():
services_host = list(set(nowtarget[inow]))
protocol = ''
if len(services_host) >= 2:
for f in services_host:
protocol = protocol + f +'|'
self.text_print.emit("<font color='#ffff00'>" + '资产: '+ inow +' 协议有变动: ' +protocol+ "<font>")
else:
self.text_print.emit("<font color='#55ff00'>" + '资产: '+ inow +' 协议无变动: ' +services_host[0]+ "<font>")
class fofa_search_qthread(QThread):
text_print = pyqtSignal(str)
notice_print = pyqtSignal(str)
count_print = pyqtSignal(str)
res_print = pyqtSignal(str)
def __init__(self,a,b,c,d,e,f,g,h,i):
super(fofa_search_qthread,self).__init__()
self.headers = {
'Upgrade-Insecure-Requests': '1',
'User-Agent':'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/70.0.3538.110 Safari/537.36'
}
day = re.findall('\d*',a)
days = datetime.date.today() - datetime.timedelta(int(day[0]))
self.basic_qstr = e.strip()
self.qstr = b + '&&' + 'after="' + str(days) + '"'
#如不要title,可以加词语发('type='+'"'+'service'+'"' + '&&')
self.base64_qstr = str(base64.b64encode(self.qstr.encode("utf-8")),'utf-8')
self.email = c
self.key = d
self.log_time = f
self.proxy_flag = g
self.start_flag = h
self.size = i
def run(self):
try:
if self.start_flag == False:
self.text_print.emit("<font color='#ff0000'>" + ">Fofa已关闭" + "<font>")
else:
if os.path.getsize('./temp/fofa_search.log') > 0:
with open('./temp/fofa_search.log','r',encoding='utf8') as fofa_log:
info = json.load(fofa_log)
else:
info = {}
if self.basic_qstr in list(info.keys()):
t0 = time.time()
select_list1 = []
histtory_search = info[self.basic_qstr]
for i in histtory_search['results']:
hostinfo = str(i[1]) + ":" + str(i[2])
select_list1.append(hostinfo)
if i[4] == 'http':
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
elif i[4] == 'https':
httpurl = '<a href=\"https://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
elif 'app=' in self.basic_qstr:
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ "http" +","+i[3]+ "<font>")
elif '://' in self.basic_qstr:
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ "http" +","+i[3]+ "<font>")
else:
self.text_print.emit("<font color='#55ff00'>" + "Host: " + i[1] + ":" + i[2] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + i[1] + ":" + i[2] +","+ i[4] + "<font>")
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa历史查询完成" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + "==================" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa当前资产:" + str(len(histtory_search['results'])) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa重复资产:" + str(len(select_list1)-len(list(set(select_list1)))) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa总计资产:" + str(histtory_search['size']) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">耗时:" + str(round(time.time() - t0,4)) + "秒" + "<font>")
# self.text_print.emit("<font color='#55ff00'>" + '搜索完成' + "<font>")
elif 'app=' in self.basic_qstr:
if '++' in self.basic_qstr or '--' in self.basic_qstr or '^^' in self.basic_qstr:
self.text_print.emit("<font color='#ff0000'>" + ">APP搜索不支持多语法" + httpurl + "<font>")
else:
with open("./apprule.json",'r',encoding='utf8') as f:
info_str = json.load(f)
if self.basic_qstr not in info_str.keys():
self.text_print.emit("<font color='#ff0000'>" + ">APP语法未定义" + "<font>")
else:
basic_qstr = info_str[self.basic_qstr]['fofa']
base64_qstr = str(base64.b64encode(basic_qstr.encode("utf-8")),'utf-8')
proxy_alive = {}
t0 = time.time()
select_list = []
api_url_http = 'http://fofa.so/api/v1/search/all?email=%s&key=%s&fields=host,ip,port,title,protocol,header,banner&size=%s&page=1&qbase64=%s'%(self.email,self.key,self.size,base64_qstr)
api_url_https = 'https://fofa.so/api/v1/search/all?email=%s&key=%s&fields=host,ip,port,title,protocol,header,banner,longitude,latitude&size=%s&page=1&qbase64=%s'%(self.email,self.key,self.size,base64_qstr)
if self.proxy_flag == 'start':
with open('./temp/proxylist','r',encoding='utf8') as pt:
pr = pt.readlines()
proxyinfo = random.choice(pr)
types = proxyinfo.strip().split(',')[0]
host = proxyinfo.strip().split(',')[1]
port = proxyinfo.strip().split(',')[2]
proxy_alive[types]=types + "://"+host+":"+port
else:
pass
if len(proxy_alive.keys()) == 1:
if list(proxy_alive.keys())[0] == 'http':
res = requests.get(url=api_url_http,headers=self.headers,proxies={'http': "http://{0}:{1}".format(host,port)})
else:
res = requests.get(url=api_url_https,headers=self.headers,proxies={'https': "https://{0}:{1}".format(host,port)})
else:
res = requests.get(url=api_url_https,headers=self.headers)
fofa_res = {}
fofa_res[self.basic_qstr] = res.json()
fofa_res_log_new = json.dumps(fofa_res,indent=3)
if res.json()['error'] is True:
self.text_print.emit("<font color='#ff0000'>" + ">Fofa API错误" + "<font>")
else:
if len(res.json()['results']) == 0:
self.text_print.emit("<font color='#ff0000'>" + ">Fofa没有相关资产" + "<font>")
else:
for i in res.json()['results']:
hostinfo = str(i[1]) + ":" + str(i[2])
select_list.append(hostinfo)
if i[4] == 'http':
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
elif i[4] == 'https':
httpurl = '<a href=\"https://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
elif "app=" in self.basic_qstr:
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: http" + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ "http" +","+i[3]+ "<font>")
else:
self.text_print.emit("<font color='#55ff00'>" + "Host: " + i[1] + ":" + i[2] + "<font>")
# self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + i[1] + ":" + i[3] +","+ "http" + "<font>")
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa搜索完成" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + "==================" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa当前资产:" + str(len(res.json()['results'])) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa重复资产:" + str(len(select_list)-len(list(set(select_list)))) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa总计资产:" + str(res.json()['size']) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">耗时:" + str(round(time.time() - t0,4)) + "秒" + "<font>")
if self.log_time > 5:
os.remove("./temp/fofa_search.log")
with open('./temp/fofa_search.log','w+',encoding='utf8') as fofa_log_write:
fofa_log_write.write(fofa_res_log_new)
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa日志清理完成" + "<font>")
else:
with open('./temp/fofa_search.log','w',encoding='utf8') as fofa_log_write:
info[self.basic_qstr] = res.json()
fofa_res_log = json.dumps(info,indent=3)
fofa_log_write.write(fofa_res_log)
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa日志存储完成" + "<font>")
else:
proxy_alive = {}
t0 = time.time()
select_list = []
api_url_http = 'http://fofa.so/api/v1/search/all?email=%s&key=%s&fields=host,ip,port,title,protocol,header,banner&size=%s&page=1&qbase64=%s'%(self.email,self.key,self.size,self.base64_qstr)
api_url_https = 'https://fofa.so/api/v1/search/all?email=%s&key=%s&fields=host,ip,port,title,protocol,header,banner&size=%s&page=1&qbase64=%s'%(self.email,self.key,self.size,self.base64_qstr)
if self.proxy_flag == 'start':
with open('./temp/proxylist','r',encoding='utf8') as pt:
pr = pt.readlines()
proxyinfo = random.choice(pr)
types = proxyinfo.strip().split(',')[0]
host = proxyinfo.strip().split(',')[1]
port = proxyinfo.strip().split(',')[2]
proxy_alive[types]=types + "://"+host+":"+port
else:
pass
if len(proxy_alive.keys()) == 1:
if list(proxy_alive.keys())[0] == 'http':
res = requests.get(url=api_url_http,headers=self.headers,proxies={'http': "http://{0}:{1}".format(host,port)})
else:
res = requests.get(url=api_url_https,headers=self.headers,proxies={'https': "https://{0}:{1}".format(host,port)})
else:
res = requests.get(url=api_url_https,headers=self.headers)
fofa_res = {}
fofa_res[self.basic_qstr] = res.json()
fofa_res_log_new = json.dumps(fofa_res,indent=3)
if res.json()['error'] is True:
self.text_print.emit("<font color='#ff0000'>" + ">Fofa API错误" + "<font>")
else:
if len(res.json()['results']) == 0:
self.text_print.emit("<font color='#ff0000'>" + ">Fofa没有相关资产" + "<font>")
else:
for i in res.json()['results']:
hostinfo = str(i[1]) + ":" + str(i[2])
select_list.append(hostinfo)
if i[4] == 'http':
httpurl = '<a href=\"http://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
elif i[4] == 'https':
httpurl = '<a href=\"https://' + str(i[1]) + ":" + str(i[2]) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i[1]) + ":" + str(i[2]) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + httpurl +","+ i[4] +","+i[3]+ "<font>")
else:
self.text_print.emit("<font color='#55ff00'>" + "Host: " + i[1] + ":" + i[2] + "<font>")
# self.text_print.emit("<font color='#55ff00'>" + "Title: " + i[3] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + i[4] + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" +"[+]" + i[1] + ":" + i[3] +","+ "http" + "<font>")
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa搜索完成" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + "==================" + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa当前资产:" + str(len(res.json()['results'])) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa重复资产:" + str(len(select_list)-len(list(set(select_list)))) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">Fofa总计资产:" + str(res.json()['size']) + "<font>")
self.count_print.emit("<font color='#55ff00'>" + ">耗时:" + str(round(time.time() - t0,4)) + "秒" + "<font>")
if self.log_time > 5:
os.remove("./temp/fofa_search.log")
with open('./temp/fofa_search.log','w+',encoding='utf8') as fofa_log_write:
fofa_log_write.write(fofa_res_log_new)
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa日志清理完成" + "<font>")
else:
with open('./temp/fofa_search.log','w',encoding='utf8') as fofa_log_write:
info[self.basic_qstr] = res.json()
fofa_res_log = json.dumps(info,indent=3)
fofa_log_write.write(fofa_res_log)
self.notice_print.emit("<font color='#55ff00'>" + ">Fofa日志存储完成" + "<font>")
except Exception as e:
pass
class zoomeye_search_qthread(QThread):
text_print = pyqtSignal(str)
notice_print = pyqtSignal(str)
count_print = pyqtSignal(str)
res_print = pyqtSignal(str)
def __init__(self,a,b,c,d,e,f,g,h):
super(zoomeye_search_qthread,self).__init__()
day = re.findall('\d*',c)
days = datetime.date.today() - datetime.timedelta(int(day[0]))
# qstr = a + ' +' + 'after:'+'"' +str(days) + '"'
qstr = a
self.qstr = quote(qstr,'utf-8')
# self.headers = {
# "Authorization": b
# }
self.headers = {
"User-Agent": random.choice(USER_AGENTS),
}
self.basic_qstr = d.strip()
self.log_time = e
self.proxy_flag = f
self.start_flag = g
self.size = h
def run(self):
try:
if self.start_flag == False:
self.text_print.emit("<font color='#ff0000'>" + ">Zoomeye已关闭" + "<font>")
else:
if os.path.getsize('./temp/zoomeye_search.log') > 0:
with open('./temp/zoomeye_search.log','r',encoding='utf8') as zoomeye_log:
info = json.load(zoomeye_log)
else:
info = {}
if self.basic_qstr in list(info.keys()):
t0 = time.time()
select_list = []
histtory_search = info[self.basic_qstr]
for i in histtory_search['matches']:
hostinfo = str(i['ip']) + ":" + str(i['portinfo']['port'])
select_list.append(hostinfo)
if i['portinfo']['service'] == 'http':
httpurl = '<a href=\"http://' + str(i['ip']) + ":" + str(i['portinfo']['port']) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i['ip']) + ":" + str(i['portinfo']['port']) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
if 'title' in i['portinfo'].keys():
if i['portinfo']['title'] == None:
title = 'Title: None'
self.text_print.emit("<font color='#55ff00'>" + "Title: None" + "<font>")
else:
title = str(i['portinfo']['title'][0])
self.text_print.emit("<font color='#55ff00'>" + "Title: " + str(i['portinfo']['title'][0]) + "<font>")
else:
title = str(BeautifulSoup(i['raw_data'],'html.parser').title.string)
self.text_print.emit("<font color='#55ff00'>" + "Title: " + title + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + str(i['portinfo']['service']) + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" + '[+]'+httpurl+','+str(i['portinfo']['service'])+','+title + "<font>")
elif i['portinfo']['service'] == 'https':
httpurl = '<a href=\"https://' + str(i['ip']) + ":" + str(i['portinfo']['port']) + '\"><span style=\" text-decoration: underline; color:#55ff00;\">' + str(i['ip']) + ":" + str(i['portinfo']['port']) + '</span></a>'
self.text_print.emit("<font color='#55ff00'>" + "Host: " + httpurl + "<font>")
if 'title' in i['portinfo'].keys():
if i['portinfo']['title'] == None:
title = 'Title: None'
self.text_print.emit("<font color='#55ff00'>" + "Title: None" + "<font>")
else:
title = str(i['portinfo']['title'][0])
self.text_print.emit("<font color='#55ff00'>" + "Title: " + str(i['portinfo']['title'][0]) + "<font>")
else:
title = str(BeautifulSoup(i['raw_data'],'html.parser').title.string)
self.text_print.emit("<font color='#55ff00'>" + "Title: " + title + "<font>")
self.text_print.emit("<font color='#55ff00'>" + "Protocol: " + str(i['portinfo']['service']) + "<font>")
self.text_print.emit("<font color='#55ff00'>" + '==========================' + "<font>")
self.res_print.emit("<font color='#55ff00'>" + '[+]'+httpurl+','+str(i['portinfo']['service'])+','+title + "<font>")
else: