forked from SECFORCE/sparta
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcontroller.py
684 lines (539 loc) · 35.2 KB
/
controller.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
#!/usr/bin/env python
'''
SPARTA - Network Infrastructure Penetration Testing Tool
(http://sparta.secforce.com)
Copyright (c) 2020 SECFORCE (Antonio Quina and Leonidas Stavliotis)
This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version.
This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details.
You should have received a copy of the GNU General Public License along with this program. If not, see <http://www.gnu.org/licenses/>.
'''
import sys
import os
import ntpath
import signal
import re
import subprocess
import queue
from PyQt5.QtWidgets import QMenu, QApplication
from PyQt5.QtCore import QProcess, QTimer, QVariant, Qt
from app.logic import NmapImporter
from app.auxiliary import MyQProcess, Screenshooter, BrowserOpener, getTimestamp
from app.settings import Settings, AppSettings
class Controller():
# initialisations that will happen once - when the program is launched
def __init__(self, view, logic):
self.version = 'SPARTA 2.0'
self.logic = logic
self.view = view
self.view.setController(self)
self.loadSettings() # creation of context menu actions from settings file and set up of various settings
self.initNmapImporter()
self.initScreenshooter()
self.initBrowserOpener()
self.start() # initialisations (globals, etc)
self.initTimers()
# initialisations that will happen everytime we create/open a project - can happen several times in the program's lifetime
def start(self, title='*untitled'):
self.processes = [] # to store all the processes we run (nmaps, niktos, etc)
self.fastProcessQueue = queue.Queue() # to manage fast processes (banner, snmpenum, etc)
self.fastProcessesRunning = 0 # counts the number of fast processes currently running
self.slowProcessesRunning = 0 # counts the number of slow processes currently running
self.nmapImporter.setDB(self.logic.db) # tell nmap importer which db to use
self.updateOutputFolder() # tell screenshooter where the output folder is
self.view.start(title)
def initNmapImporter(self):
self.nmapImporter = NmapImporter()
self.nmapImporter.tick.connect(self.view.importProgressWidget.setProgress) # update the progress bar
self.nmapImporter.done.connect(self.nmapImportFinished)
self.nmapImporter.schedule.connect(self.scheduler) # run automated attacks
def initScreenshooter(self):
self.screenshooter = Screenshooter(self.settings.general_screenshooter_timeout) # screenshot taker object (different thread)
self.screenshooter.done.connect(self.screenshotFinished)
def initBrowserOpener(self):
self.browser = BrowserOpener() # browser opener object (different thread)
def initTimers(self): # these timers are used to prevent from updating the UI several times within a short time period - which freezes the UI
self.updateUITimer = QTimer()
self.updateUITimer.setSingleShot(True)
self.updateUITimer.timeout.connect(self.view.updateProcessesTableView)
self.updateUITimer.timeout.connect(self.view.updateToolsTableView)
self.updateUI2Timer = QTimer()
self.updateUI2Timer.setSingleShot(True)
self.updateUI2Timer.timeout.connect(self.view.updateInterface)
# this function fetches all the settings from the conf file. Among other things it populates the actions lists that will be used in the context menus.
def loadSettings(self):
self.settingsFile = AppSettings()
self.settings = Settings(self.settingsFile) # load settings from conf file (create conf file first if necessary)
self.originalSettings = Settings(self.settingsFile) # save the original state so that we can know if something has changed when we exit SPARTA
self.logic.setStoreWordlistsOnExit(self.settings.brute_store_cleartext_passwords_on_exit=='True')
# self.view.settingsWidget.setSettings(Settings(self.settingsFile))
def applySettings(self, newSettings): # call this function when clicking 'apply' in the settings menu (after validation)
print('[+] Applying settings!')
self.settings = newSettings
# def cancelSettings(self): # called when the user presses cancel in the Settings dialog
# self.view.settingsWidget.setSettings(self.settings) # resets the dialog's settings to the current application settings to forget any changes made by the user
def saveSettings(self):
if not self.settings == self.originalSettings:
print('[+] Settings have been changed.')
self.settingsFile.backupAndSave(self.settings)
else:
print('[+] Settings have NOT been changed.')
def getSettings(self):
return self.settings
#################### AUXILIARY ####################
def getCWD(self):
return self.logic.cwd
def getProjectName(self):
return self.logic.projectname
def getVersion(self):
return self.version
def getRunningFolder(self):
return self.logic.runningfolder
def getOutputFolder(self):
return self.logic.outputfolder
def getUserlistPath(self):
return self.logic.usernamesWordlist.filename
def getPasslistPath(self):
return self.logic.passwordsWordlist.filename
def updateOutputFolder(self):
self.screenshooter.updateOutputFolder(self.logic.outputfolder+'/screenshots') # update screenshot folder
def copyNmapXMLToOutputFolder(self, filename):
self.logic.copyNmapXMLToOutputFolder(filename)
def isTempProject(self):
return self.logic.istemp
def getDB(self):
return self.logic.db
def getRunningProcesses(self):
return self.processes
def getHostActions(self):
return self.settings.hostActions
def getPortActions(self):
return self.settings.portActions
def getPortTerminalActions(self):
return self.settings.portTerminalActions
#################### ACTIONS ####################
def createNewProject(self):
self.view.closeProject() # removes temp folder (if any)
self.logic.createTemporaryFiles() # creates new temp files and folders
self.start() # initialisations (globals, etc)
def openExistingProject(self, filename):
self.view.closeProject()
self.view.importProgressWidget.reset('Opening project..')
self.view.importProgressWidget.show() # show the progress widget
self.logic.openExistingProject(filename)
self.start(ntpath.basename(str(self.logic.projectname))) # initialisations (globals, signals, etc)
self.view.restoreToolTabs() # restores the tool tabs for each host
self.view.hostTableClick() # click on first host to restore his host tool tabs
self.view.importProgressWidget.hide() # hide the progress widget
def saveProject(self, lastHostIdClicked, notes):
if not lastHostIdClicked == '':
self.logic.storeNotesInDB(lastHostIdClicked, notes)
def saveProjectAs(self, filename, replace=0):
success = self.logic.saveProjectAs(filename, replace)
if success:
self.nmapImporter.setDB(self.logic.db) # tell nmap importer which db to use
return success
def closeProject(self):
self.saveSettings() # backup and save config file, if necessary
self.screenshooter.terminate()
self.initScreenshooter()
self.logic.toggleProcessDisplayStatus(True)
self.view.updateProcessesTableView() # clear process table
self.logic.removeTemporaryFiles()
def addHosts(self, iprange, runHostDiscovery, runStagedNmap):
if iprange == '':
print('[-] No hosts entered..')
return
if runStagedNmap:
self.runStagedNmap(iprange, runHostDiscovery)
elif runHostDiscovery:
outputfile = self.logic.runningfolder+"/nmap/"+getTimestamp()+'-host-discover'
command = "nmap -n -sn -T4 "+iprange+" -oA "+outputfile
self.runCommand('nmap', 'nmap (discovery)', iprange, '','', command, getTimestamp(True), outputfile, self.view.createNewTabForHost(str(iprange), 'nmap (discovery)', True))
else:
outputfile = self.logic.runningfolder+"/nmap/"+getTimestamp()+'-nmap-list'
command = "nmap -n -sL "+iprange+" -oA "+outputfile
self.runCommand('nmap', 'nmap (list)', iprange, '','', command, getTimestamp(True), outputfile, self.view.createNewTabForHost(str(iprange), 'nmap (list)', True))
def importNmap(self, filename):
if not os.access(filename, os.R_OK):
raise OSError('[-] Insufficient permissions to read this file.')
#return
self.nmapImporter.setFilename(str(filename))
self.nmapImporter.start()
self.copyNmapXMLToOutputFolder(str(filename))
#################### CONTEXT MENUS ####################
def getContextMenuForHost(self, isChecked, showAll=True): # showAll exists because in some cases we only want to show host tools excluding portscans and 'mark as checked'
menu = QMenu()
self.nmapSubMenu = QMenu('Portscan')
actions = []
for a in self.settings.hostActions:
if "nmap" in a[1] or "unicornscan" in a[1]:
actions.append(self.nmapSubMenu.addAction(a[0]))
else:
actions.append(menu.addAction(a[0]))
if showAll:
actions.append(self.nmapSubMenu.addAction("Run nmap (staged)"))
menu.addMenu(self.nmapSubMenu)
menu.addSeparator()
if isChecked == 'True':
menu.addAction('Mark as unchecked')
else:
menu.addAction('Mark as checked')
return menu, actions
def handleHostAction(self, ip, hostid, actions, action):
if action.text() == 'Mark as checked' or action.text() == 'Mark as unchecked':
self.logic.toggleHostCheckStatus(ip)
self.view.updateInterface()
return
if action.text() == 'Run nmap (staged)':
print('[+] Purging previous portscan data for ' + str(ip)) # if we are running nmap we need to purge previous portscan results
if self.logic.getPortsForHostFromDB(ip, 'tcp'):
self.logic.deleteAllPortsAndScriptsForHostFromDB(hostid, 'tcp')
if self.logic.getPortsForHostFromDB(ip, 'udp'):
self.logic.deleteAllPortsAndScriptsForHostFromDB(hostid, 'udp')
self.runStagedNmap(ip, False)
return
for i in range(0,len(actions)):
if action == actions[i]:
name = self.settings.hostActions[i][1]
invisibleTab = False
if 'nmap' in name: # to make sure different nmap scans appear under the same tool name
name = 'nmap'
invisibleTab = True
# remove all chars that are not alphanumeric from tool name (used in the outputfile's name)
outputfile = self.logic.runningfolder+"/"+re.sub("[^0-9a-zA-Z]", "", str(name))+"/"+getTimestamp()+"-"+re.sub("[^0-9a-zA-Z]", "", str(self.settings.hostActions[i][1]))+"-"+ip
command = str(self.settings.hostActions[i][2])
command = command.replace('[IP]', ip).replace('[OUTPUT]', outputfile)
# check if same type of nmap scan has already been made and purge results before scanning
if 'nmap' in command:
proto = 'tcp'
if '-sU' in command:
proto = 'udp'
if self.logic.getPortsForHostFromDB(ip, proto): # if we are running nmap we need to purge previous portscan results (of the same protocol)
self.logic.deleteAllPortsAndScriptsForHostFromDB(hostid, proto)
tabtitle = self.settings.hostActions[i][1]
self.runCommand(name, tabtitle, ip, '','', command, getTimestamp(True), outputfile, self.view.createNewTabForHost(ip, tabtitle, invisibleTab))
break
def getContextMenuForServiceName(self, serviceName='*', menu=None):
if menu == None: # if no menu was given, create a new one
menu = QMenu()
if serviceName == '*' or serviceName in self.settings.general_web_services.split(","):
menu.addAction("Open in browser")
menu.addAction("Take screenshot")
actions = []
for a in self.settings.portActions:
if serviceName is None or serviceName == '*' or serviceName in a[3].split(",") or a[3] == '': # if the service name exists in the portActions list show the command in the context menu
actions.append([self.settings.portActions.index(a), menu.addAction(a[0])]) # in actions list write the service and line number that corresponds to it in portActions
modifiers = QApplication.keyboardModifiers() # if the user pressed SHIFT+Right-click show full menu
if modifiers == Qt.ShiftModifier:
shiftPressed = True
else:
shiftPressed = False
return menu, actions, shiftPressed
def handleServiceNameAction(self, targets, actions, action, restoring=True):
if action.text() == 'Take screenshot':
for ip in targets:
url = ip[0]+':'+ip[1]
self.screenshooter.addToQueue(url)
self.screenshooter.start()
return
elif action.text() == 'Open in browser':
for ip in targets:
url = ip[0]+':'+ip[1]
self.browser.addToQueue(url)
self.browser.start()
return
for i in range(0,len(actions)):
if action == actions[i][1]:
srvc_num = actions[i][0]
for ip in targets:
tool = self.settings.portActions[srvc_num][1]
tabtitle = self.settings.portActions[srvc_num][1]+" ("+ip[1]+"/"+ip[2]+")"
outputfile = self.logic.runningfolder+"/"+re.sub("[^0-9a-zA-Z]", "", str(tool))+"/"+getTimestamp()+'-'+tool+"-"+ip[0]+"-"+ip[1]
command = str(self.settings.portActions[srvc_num][2])
command = command.replace('[IP]', ip[0]).replace('[PORT]', ip[1]).replace('[OUTPUT]', outputfile)
if 'nmap' in command and ip[2] == 'udp':
command=command.replace("-sV","-sVU")
if 'nmap' in tabtitle: # we don't want to show nmap tabs
restoring = True
self.runCommand(tool, tabtitle, ip[0], ip[1], ip[2], command, getTimestamp(True), outputfile, self.view.createNewTabForHost(ip[0], tabtitle, restoring))
break
def getContextMenuForPort(self, serviceName='*'):
menu = QMenu()
modifiers = QApplication.keyboardModifiers() # if the user pressed SHIFT+Right-click show full menu
if modifiers == Qt.ShiftModifier:
serviceName='*'
terminalActions = [] # custom terminal actions from settings file
for a in self.settings.portTerminalActions: # if wildcard or the command is valid for this specific service or if the command is valid for all services
if serviceName is None or serviceName == '*' or serviceName in a[3].split(",") or a[3] == '':
terminalActions.append([self.settings.portTerminalActions.index(a), menu.addAction(a[0])])
menu.addSeparator()
menu.addAction("Send to Brute")
menu.addSeparator()
# dummy is there because we don't need the third return value
menu, actions, dummy = self.getContextMenuForServiceName(serviceName, menu)
# menu.addSeparator()
# menu.addAction("Run custom command")
return menu, actions, terminalActions
def handlePortAction(self, targets, actions, terminalActions, action, restoring):
if action.text() == 'Send to Brute':
for ip in targets:
self.view.createNewBruteTab(ip[0], ip[1], ip[3]) # ip[0] is the IP, ip[1] is the port number and ip[3] is the service name
return
if action.text() == 'Run custom command':
print('custom command')
return
terminal = self.settings.general_default_terminal # handle terminal actions
for i in range(0,len(terminalActions)):
if action == terminalActions[i][1]:
srvc_num = terminalActions[i][0]
for ip in targets:
command = str(self.settings.portTerminalActions[srvc_num][2])
command = command.replace('[IP]', ip[0]).replace('[PORT]', ip[1])
subprocess.Popen(terminal+" -e 'bash -c \""+command+"; exec bash\"'", shell=True)
return
self.handleServiceNameAction(targets, actions, action, restoring)
def getContextMenuForProcess(self):
menu = QMenu()
#killAction = menu.addAction("Kill")
#clearAction = menu.addAction("Clear")
menu.addAction("Kill")
menu.addAction("Clear")
return menu
def handleProcessAction(self, selectedProcesses, action): # selectedProcesses is a list of tuples (pid, status, procId)
if action.text() == 'Kill':
if self.view.killProcessConfirmation():
for p in selectedProcesses:
if p[1]!="Running":
if p[1]=="Waiting":
#print("\t[-] Process still waiting to start. Skipping.")
if str(self.logic.getProcessStatusForDBId(p[2])) == 'Running':
self.killProcess(self.view.ProcessesTableModel.getProcessPidForId(p[2]), p[2])
self.logic.storeProcessCancelStatusInDB(str(p[2]))
else:
print("\t[-] This process has already been terminated. Skipping.")
else:
self.killProcess(p[0], p[2])
self.view.updateProcessesTableView()
return
if action.text() == 'Clear': # hide all the processes that are not running
self.logic.toggleProcessDisplayStatus()
self.view.updateProcessesTableView()
#################### LEFT PANEL INTERFACE UPDATE FUNCTIONS ####################
def isHostInDB(self, host):
return self.logic.isHostInDB(host)
def getHostsFromDB(self, filters):
return self.logic.getHostsFromDB(filters)
def getServiceNamesFromDB(self, filters):
return self.logic.getServiceNamesFromDB(filters)
def getProcessStatusForDBId(self, dbId):
return self.logic.getProcessStatusForDBId(dbId)
def getPidForProcess(self,dbId):
return self.logic.getPidForProcess(dbId)
def storeCloseTabStatusInDB(self,pid):
return self.logic.storeCloseTabStatusInDB(pid)
def getServiceNameForHostAndPort(self, hostIP, port):
return self.logic.getServiceNameForHostAndPort(hostIP, port)
#################### RIGHT PANEL INTERFACE UPDATE FUNCTIONS ####################
def getPortsAndServicesForHostFromDB(self, hostIP, filters):
return self.logic.getPortsAndServicesForHostFromDB(hostIP, filters)
def getHostsAndPortsForServiceFromDB(self, serviceName, filters):
return self.logic.getHostsAndPortsForServiceFromDB(serviceName, filters)
def getHostInformation(self, hostIP):
return self.logic.getHostInformation(hostIP)
def getPortStatesForHost(self, hostid):
return self.logic.getPortStatesForHost(hostid)
def getScriptsFromDB(self, hostIP):
return self.logic.getScriptsFromDB(hostIP)
def getScriptOutputFromDB(self,scriptDBId):
return self.logic.getScriptOutputFromDB(scriptDBId)
def getNoteFromDB(self, hostid):
return self.logic.getNoteFromDB(hostid)
def getHostsForTool(self, toolname, closed='False'):
return self.logic.getHostsForTool(toolname, closed)
#################### BOTTOM PANEL INTERFACE UPDATE FUNCTIONS ####################
def getProcessesFromDB(self, filters, showProcesses=''):
return self.logic.getProcessesFromDB(filters, showProcesses)
#################### PROCESSES ####################
def checkProcessQueue(self):
# print('# MAX PROCESSES: ' + str(self.settings.general_max_fast_processes))
# print('# fast processes running: ' + str(self.fastProcessesRunning))
# print('# fast processes queued: ' + str(self.fastProcessQueue.qsize()))
# print("[+] Checking process queue..")
if not self.fastProcessQueue.empty():
if (self.fastProcessesRunning < int(self.settings.general_max_fast_processes)):
next_proc = self.fastProcessQueue.get()
#print(str(next_proc.command))
if not self.logic.isCanceledProcess(str(next_proc.id)):
next_proc.display.clear()
self.processes.append(next_proc)
self.fastProcessesRunning += 1
next_proc.start(next_proc.command)
self.logic.storeProcessRunningStatusInDB(next_proc.id, next_proc.pid())
elif not self.fastProcessQueue.empty():
self.checkProcessQueue()
# else:
# print('> cannot run processes in the queue')
# else:
# print('> queue is empty')
def cancelProcess(self, dbId):
print('[+] Canceling process: ' + str(dbId))
self.logic.storeProcessCancelStatusInDB(str(dbId)) # mark it as cancelled
self.updateUITimer.stop()
self.updateUITimer.start(1500) # update the interface soon
def killProcess(self, pid, dbId):
print('[+] Killing process: ' + str(pid))
self.logic.storeProcessKillStatusInDB(str(dbId)) # mark it as killed
try:
os.kill(int(pid), signal.SIGTERM)
except OSError:
print('\t[-] This process has already been terminated.')
except:
print("\t[-] Unexpected error:", sys.exc_info()[0])
def killRunningProcesses(self):
print('[+] Killing running processes!')
for p in self.processes:
p.finished.disconnect() # experimental
self.killProcess(int(p.pid()), p.id)
# this function creates a new process, runs the command and takes care of displaying the ouput. returns the PID
# the last 3 parameters are only used when the command is a staged nmap
def runCommand(self, name, tabtitle, hostip, port, protocol, command, starttime, outputfile, textbox, discovery=True, stage=0, stop=False):
print("[DEBUG] Running: " + command)
self.logic.createFolderForTool(name) # create folder for tool if necessary
qProcess = MyQProcess(name, tabtitle, hostip, port, protocol, command, starttime, outputfile, textbox)
textbox.setProperty('dbId', QVariant(str(self.logic.addProcessToDB(qProcess)))) # database id for the process is stored so that we can retrieve the widget later (in the tools tab)
self.fastProcessQueue.put(qProcess)
qProcess.display.appendPlainText('The process is queued and will start as soon as possible.')
qProcess.display.appendPlainText('If you want to increase the number of simultaneous processes, change this setting in the configuration file.')
self.checkProcessQueue()
self.updateUITimer.stop() # update the processes table
self.updateUITimer.start(900)
# while the process is running, when there's output to read, display it in the GUI
qProcess.setProcessChannelMode(QProcess.MergedChannels)
qProcess.readyReadStandardOutput.connect(lambda: qProcess.display.appendPlainText(
str(qProcess.readAllStandardOutput().data().decode('ISO-8859-1'))))
# when the process is finished do this
qProcess.sigHydra.connect(self.handleHydraFindings)
qProcess.finished.connect(lambda: self.processFinished(qProcess))
qProcess.error.connect(lambda: self.processCrashed(qProcess))
if stage > 0 and stage < 5: # if this is a staged nmap, launch the next stage
qProcess.finished.connect(lambda: self.runStagedNmap(str(hostip), discovery, stage+1, self.logic.isKilledProcess(str(qProcess.id))))
return qProcess.pid() # return the pid so that we can kill the process if needed
# recursive function used to run nmap in different stages for quick results
def runStagedNmap(self, iprange, discovery=True, stage=1, stop=False):
if not stop:
textbox = self.view.createNewTabForHost(str(iprange), 'nmap (stage '+str(stage)+')', True)
outputfile = self.logic.runningfolder+"/nmap/"+getTimestamp()+'-nmapstage'+str(stage)
if stage == 1: # webservers/proxies
ports = self.settings.tools_nmap_stage1_ports
elif stage == 2: # juicy stuff that we could enumerate + db
ports = self.settings.tools_nmap_stage2_ports
elif stage == 3: # bruteforceable protocols + portmapper + nfs
ports = self.settings.tools_nmap_stage3_ports
elif stage == 4: # first 30000 ports except ones above
ports = self.settings.tools_nmap_stage4_ports
else: # last 35535 ports
ports = self.settings.tools_nmap_stage5_ports
command = "nmap "
if not discovery: # is it with/without host discovery?
command += "-Pn "
command += "-T4 -sV " # without scripts (faster)
if not stage == 1:
command += "-n " # only do DNS resolution on first stage
if os.geteuid() == 0: # if we are root we can run SYN + UDP scans
command += "-sSU "
if stage == 2:
command += "-O " # only check for OS once to save time and only if we are root otherwise it fails
else:
command += "-sT "
command += "-p "+ports+' '+iprange+" -oA "+outputfile
self.runCommand('nmap','nmap (stage '+str(stage)+')', str(iprange), '', '', command, getTimestamp(True), outputfile, textbox, discovery, stage, stop)
def nmapImportFinished(self):
self.updateUI2Timer.stop()
self.updateUI2Timer.start(800)
self.view.importProgressWidget.hide() # hide the progress widget
self.view.displayAddHostsOverlay(False) # if nmap import was the first action, we need to hide the overlay (note: we shouldn't need to do this everytime. this can be improved)
def screenshotFinished(self, ip, port, filename):
dbId = self.logic.addScreenshotToDB(str(ip),str(port),str(filename))
imageviewer = self.view.createNewTabForHost(ip, 'screenshot ('+port+'/tcp)', True, '', str(self.logic.outputfolder)+'/screenshots/'+str(filename))
imageviewer.setProperty('dbId', QVariant(str(dbId)))
self.view.switchTabClick() # to make sure the screenshot tab appears when it is launched from the host services tab
self.updateUITimer.stop() # update the processes table
self.updateUITimer.start(900)
def processCrashed(self, proc):
#self.processFinished(proc, True)
self.logic.storeProcessCrashStatusInDB(str(proc.id))
print('[+] Process killed!')
# this function handles everything after a process ends
#def processFinished(self, qProcess, crashed=False):
def processFinished(self, qProcess):
#print('processFinished!!')
try:
if not self.logic.isKilledProcess(str(qProcess.id)): # if process was not killed
if not qProcess.outputfile == '':
self.logic.moveToolOutput(qProcess.outputfile) # move tool output from runningfolder to output folder if there was an output file
if 'nmap' in qProcess.name: # if the process was nmap, use the parser to store it
if qProcess.exitCode() == 0: # if the process finished successfully
newoutputfile = qProcess.outputfile.replace(self.logic.runningfolder, self.logic.outputfolder)
self.nmapImporter.setFilename(str(newoutputfile)+'.xml')
self.view.importProgressWidget.reset('Importing nmap..')
self.nmapImporter.setOutput(str(qProcess.display.toPlainText()))
self.nmapImporter.start()
if self.view.menuVisible == False:
self.view.importProgressWidget.show()
print("\t[+] The process is done!")
self.logic.storeProcessOutputInDB(str(qProcess.id), qProcess.display.toPlainText())
if 'hydra' in qProcess.name: # find the corresponding widget and tell it to update its UI
self.view.findFinishedBruteTab(str(self.logic.getPidForProcess(str(qProcess.id))))
try:
self.fastProcessesRunning -= 1
self.checkProcessQueue()
self.processes.remove(qProcess)
self.updateUITimer.stop()
self.updateUITimer.start(1500) # update the interface soon
except ValueError:
pass
except: # fixes bug when receiving finished signal when project is no longer open.
pass
def handleHydraFindings(self, bWidget, userlist, passlist): # when hydra finds valid credentials we need to save them and change the brute tab title to red
self.view.blinkBruteTab(bWidget)
for username in userlist:
self.logic.usernamesWordlist.add(username)
for password in passlist:
self.logic.passwordsWordlist.add(password)
# this function parses nmap's output looking for open ports to run automated attacks on
def scheduler(self, parser, isNmapImport):
if isNmapImport and self.settings.general_enable_scheduler_on_import == 'False':
return
if self.settings.general_enable_scheduler == 'True':
print('[+] Scheduler started!')
for h in parser.all_hosts():
for p in h.all_ports():
if p.state == 'open':
s = p.get_service()
if not (s is None):
self.runToolsFor(s.name, h.ip, p.portId, p.protocol)
print('-----------------------------------------------')
print('[+] Scheduler ended!')
def runToolsFor(self, service, ip, port, protocol='tcp'):
print('\t[+] Running tools for: ' + service + ' on ' + ip + ':' + port)
if service.endswith("?"): # when nmap is not sure it will append a ?, so we need to remove it
service=service[:-1]
for tool in self.settings.automatedAttacks:
if service in tool[1].split(",") and protocol==tool[2]:
if tool[0] == "screenshooter":
url = ip+':'+port
self.screenshooter.addToQueue(url)
self.screenshooter.start()
else:
for a in self.settings.portActions:
if tool[0] == a[1]:
#restoring = False
tabtitle = a[1]+" ("+port+"/"+protocol+")"
outputfile = self.logic.runningfolder+"/"+re.sub("[^0-9a-zA-Z]", "", str(tool[0]))+"/"+getTimestamp()+'-'+a[1]+"-"+ip+"-"+port
command = str(a[2])
command = command.replace('[IP]', ip).replace('[PORT]', port).replace('[OUTPUT]', outputfile)
#if 'nmap' in tabtitle: # we don't want to show nmap tabs
# restoring = True
tab = self.view.ui.HostsTabWidget.tabText(self.view.ui.HostsTabWidget.currentIndex())
self.runCommand(tool[0], tabtitle, ip, port, protocol, command, getTimestamp(True), outputfile, self.view.createNewTabForHost(ip, tabtitle, not (tab == 'Hosts')))
break