forked from cve-search/cve-search
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathPluginManager.py
219 lines (200 loc) · 7.71 KB
/
PluginManager.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
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#
# Plugin manager
#
# Software is free software released under the "GNU Affero General Public License v3.0"
#
# Copyright (c) 2016-2018 Pieter-Jan Moreels - [email protected]
# Imports
import sys
import os
runPath = os.path.dirname(os.path.realpath(__file__))
sys.path.append(os.path.join(runPath, ".."))
import importlib
import lib.DatabaseLayer as db
from lib.Config import Configuration as conf
from lib.Config import ConfigReader
from lib.Singleton import Singleton
class PluginManager(metaclass=Singleton):
def __init__(self):
self.plugins = {}
def loadPlugins(self):
settingsReader = ConfigReader(conf.getPluginsettings())
if not os.path.exists(conf.getPluginLoadSettings()):
print("[-] No plugin loader file!")
return
# Read and parse plugin file
data = open(conf.getPluginLoadSettings(), "r").read()
data = [x.split() for x in data.splitlines() if not x.startswith("#")]
for x in [x for x in data if len(x) == 2]:
try:
if x[1].lower() == "load" or x[1].lower() == "default":
# Load plugins
i = importlib.import_module(x[0].replace("/", "."))
plugin = getattr(i, x[0].split("/")[-1])()
plugin.setUID(plugin.getName().replace(" ", "_"))
# Ensure UID's unique
while True:
if plugin.getUID() in self.plugins.keys(): plugin.setUID(plugin.getUID()+"_");
else: break
# Load settings if needed
if x[1].lower() == "load":
plugin.loadSettings(settingsReader)
# Set load state
plugin.setLoadState(x[1])
# Add to list
self.plugins[plugin.getUID().strip()] = plugin
print("[+] Loaded plugin %s"%x[0])
except Exception as e:
print("[!] Failed to load module %s: "%x[0])
print("[!] -> %s"%e)
# Get's - Plug-in manager
def getPlugins(self):
return sorted(self.plugins.values(), key=lambda k: k.getName())
def getWebPlugins(self):
webPlugins = []
for plugin in self.getPlugins():
if plugin.isWebPlugin():
webPlugins.append(plugin)
return webPlugins
def getWebPluginsWithPage(self, **args):
plugins = []
for plug in self.getWebPlugins():
try:
page = plug.getPage(**args)
if page and page[0]: # Make sure there is a page
plugins.append(plug)
except Exception as e:
print("[!] Failed to check webpage from module %s: "%(plug.getName()))
print("[!] -> %s"%e)
return plugins
# Get's - Plug-in specific
def getCVEActions(self, cve, **args):
actions = []
for plugin in self.getWebPlugins():
try:
actions_ = plugin.getCVEActions(cve, **args)
if actions_:
for action in actions_:
action['auth'] = plugin.requiresAuth
action['plugin'] = plugin.getUID()
actions.append(action)
except Exception as e:
print("[!] Plugin %s failed on fetching CVE actions!"%plugin.getName())
print("[!] -> %s"%e)
return actions
def requiresAuth(self, plugin):
if plugin.strip() in self.plugins.keys(): # Check if plugin exists
return self.plugins[plugin].requiresAuth
else: return False
def getFilters(self, **args):
filters = []
for plugin in self.getWebPlugins():
try:
filters_ = plugin.getFilters(**args)
if filters_:
for filter_ in filters_:
filter_['auth'] = plugin.requiresAuth
filter_['plugin'] = plugin.getUID()
filters.append(filter_)
except Exception as e:
print("[!] Plugin %s failed on fetching filters!"%plugin.getName())
print("[!] -> %s"%e)
return filters
# Get's - Plug-in specific with stored data
def cvePluginInfo(self, cve, **args):
cveInfo = []
for plugin in self.getWebPlugins():
try:
data = plugin.cvePluginInfo(cve, **args)
if type(data) == dict and 'title' in data and 'data' in data:
cveInfo.append(data)
except Exception as e:
print("[!] Plugin %s failed on fetching CVE plugin info!"%plugin.getName())
print("[!] -> %s"%e)
return cveInfo
def getSearchResults(self, text, **args):
result = {'data':[]}
results = []
# Get all data
for plugin in self.plugins.values():
data = plugin.search(text, **args)
# Validate format
if type(data) == dict: data = [data]
if type(data) == list and all([(type(x) == dict and 'n' in x and 'd' in x) for x in data]):
results.extend(data)
# Sort through data
for collection in results:
for item in collection['d']:
# Check if already in result data
try:
if not any(item==entry['id'] for entry in result['data']):
entry=db.getCVE(item)
entry['reason']=collection['n']
result['data'].append(entry)
except:
pass
return result
# Actions
def onCVEOpen(self, cve, **args):
for plugin in self.getWebPlugins():
plugin.onCVEOpen(cve, **args)
def onCVEAction(self, cve, plugin, action, **args):
if plugin.strip() in self.plugins.keys(): # Check if plugin exists
if self.plugins[plugin].isWebPlugin(): # Check if plugin is web plugin
try:
return self.plugins[plugin].onCVEAction(cve, action, **args)
except Exception as e:
print("[!] Failed to perform %s action on module %s: "%(action, plugin))
print("[!] -> %s"%e)
def openPage(self, name, **args):
if name.strip() in self.plugins.keys(): # Check if plugin exists
if self.plugins[name].isWebPlugin(): # Check if plugin is web plugin
pageInfo = self.plugins[name].getPage(**args)
if type(pageInfo) == tuple:
page, content = pageInfo
if page: return ("plugins/%s"%page, content)
else: return None
else:
return ("error.html", {'status': {'except': 'plugin-page-missing'}})
else:
return ("error.html", {'status': {'except': 'plugin-not-webplugin'}})
return ("error.html", {'status': {'except': 'plugin-not-loaded'}})
def openSubpage(self, name, subpage, **args):
if name.strip() in self.plugins.keys(): # Check if plugin exists
if self.plugins[name].isWebPlugin(): # Check if plugin is web plugin
pageInfo = self.plugins[name].getSubpage(subpage, **args)
if type(pageInfo) == tuple:
page, content = pageInfo
if page: return ("plugins/%s"%page, content)
# Else, the page is missing, so we send None to throw a 404
return None
else:
return ("error.html", {'status': {'except': 'plugin-not-webplugin'}})
return ("error.html", {'status': {'except': 'plugin-not-loaded'}})
def doFilter(self, filters, **args):
plug_fils = {key[5:]: value for (key, value) in filters.items() if key.startswith('plug_')}
filters_ = []
for plugin in self.getWebPlugins():
try:
filter_ = plugin.doFilter(plug_fils, **args)
if filter_:
if type(filter_) is dict: filters_.append(filter_)
elif type(filter_) is list: filters_.extend(filter_)
except Exception as e:
print("[!] Plugin %s failed on applying filters!"%plugin.getName())
print("[!] -> %s"%e)
return filters_
def mark(self, cves, **args):
for plugin in self.getWebPlugins():
for cve in cves:
try:
marks = plugin.mark(cve['id'], **args)
if marks and type(marks) == tuple and len(marks) == 2:
if marks[0]: cve['icon'] = marks[0]
if marks[1]: cve['color'] = marks[1]
except Exception as e:
print("[!] Plugin %s failed on marking cves!"%plugin.getName())
print("[!] -> %s"%e)
return cves