-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathwig.py
executable file
·385 lines (290 loc) · 10.1 KB
/
wig.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
#!/usr/bin/env python3
"""
wig - WebApp Information Gatherer
https://github.com/jekyc/wig
wig is a web application information gathering tool, which
can identify numerous Content Management Systems and other
administrative applications.
The application fingerprinting is based on checksums and
string matching of known files for different versions of
CMSes. This results in a score being calculated for each
detected CMS and its versions. Each detected CMS is
displayed along with the most probable version(s) of it.
The score calculation is based on weights and the amount of
"hits" for a given checksum.
wig also tries to guess the operating system on the server
based on the 'server' and 'x-powered-by' headers. A
database containing known header values for different
operating systems is included in wig, which allows wig to
guess Microsoft Windows versions and Linux distribution
and version.
"""
import time, queue, sys, argparse
from classes.cache import Cache
from classes.results import Results
from classes.fingerprints import Fingerprints
from classes.discovery import *
from classes.matcher import Match
from classes.printer import Printer
from classes.output import OutputPrinter, OutputJSON
from classes.request2 import Requester, UnknownHostName
class Wig(object):
def __init__(self, args):
urls = None
if args.input_file is not None:
args.quiet = True
with open(args.input_file, 'r') as input_file:
urls = []
for url in input_file.readlines():
url = url.strip()
urls.append(url if '://' in url else 'http://'+url)
else:
args.url = args.url.lower()
if '://' not in args.url:
args.url = 'http://' + args.url
text_printer = Printer(args.verbosity)
cache = Cache()
cache.printer = text_printer
self.options = {
'url': args.url,
'urls': urls,
'quiet': args.quiet,
'prefix': '',
'user_agent': args.user_agent,
'proxy': args.proxy,
'verbosity': args.verbosity,
'threads': 10,
'batch_size': 20,
'run_all': args.run_all,
'match_all': args.match_all,
'stop_after': args.stop_after,
'no_cache_load': args.no_cache_load,
'no_cache_save': args.no_cache_save,
'write_file': args.output_file,
'subdomains': args.subdomains
}
self.data = {
'cache': cache,
'results': Results(self.options),
'fingerprints': Fingerprints(),
'matcher': Match(),
'printer': text_printer,
'detected_cms': set(),
'error_pages': set(),
'requested': queue.Queue()
}
if self.options['write_file'] is not None:
self.json_outputter = OutputJSON(self.options, self.data)
self.data['printer'].print_logo()
self.results = None
def scan_site(self):
self.data['results'].printer = self.data['printer']
self.data['requester'] = Requester(self.options, self.data)
#
# --- DETECT REDIRECTION ----------------
#
try:
is_redirected, new_url = self.data['requester'].detect_redirect()
except UnknownHostName as err:
self.data['printer'].print_debug_line(err, 1)
# fix for issue 8: https://github.com/jekyc/wig/issues/8
# Terminate gracefully if the url is not
# resolvable
if self.options['write_file'] is not None:
self.json_outputter.add_error(str(err))
return
if is_redirected:
if not self.options['quiet']:
self.data['printer'].build_line("Redirected to ")
self.data['printer'].build_line(new_url, color='red')
self.data['printer'].print_built_line()
choice = input("Continue? [Y|n]:")
else:
choice = 'Y'
# if not, exit
if choice in ['n', 'N']:
sys.exit(1)
# else update the host
else:
self.options['url'] = new_url
self.data['requester'].url = new_url
#
# --- PREP ------------------------------
#
msg = 'Scanning %s...' % (self.options['url'])
self.data['printer'].print_debug_line(msg, 0, bold=True)
# load cache if this is not disabled
self.data['cache'].set_host(self.options['url'])
if not self.options['no_cache_load']:
self.data['cache'].load()
# timer started after the user interaction
self.data['timer'] = time.time()
#
# --- GET SITE INFO ---------------------
#
# get the title
title = DiscoverTitle(self.options, self.data).run()
self.data['results'].site_info['title'] = title
# get the IP of the domain
# issue 19: changed DiscoverIP to return a list of IPs
self.data['results'].site_info['ip'] = DiscoverIP(self.options['url']).run()
#
# --- DETECT ERROR PAGES ----------------
#
# find error pages
self.data['error_pages'] = DiscoverErrorPage(self.options, self.data).run()
# set matcher error pages
self.data['matcher'].error_pages = self.data['error_pages']
#
# --- VERSION DETECTION -----------------
#
# Search for the first CMS
DiscoverCMS(self.options, self.data).run()
# find Platform
DiscoverPlatform(self.options, self.data).run()
#
# --- GET MORE DATA FROM THE SITE -------
#
# find interesting files
DiscoverInteresting(self.options, self.data).run()
# find and request links to static files on the pages
DiscoverMore(self.options, self.data).run()
#
# --- SEARCH FOR JAVASCRIPT LIBS --------
#
# do this after 'DiscoverMore' has been run, to detect JS libs
# located in places not covered by the fingerprints
DiscoverJavaScript(self.options, self.data).run()
#
# --- SEARCH THE CACHE ------------------
#
# some fingerprints do not have urls - search the cache
# for matches
DiscoverUrlLess(self.options, self.data).run()
# search for cookies
DiscoverCookies(self.data).run()
# search for indications of the used operating system
DiscoverOS(self.options, self.data).run()
# search for all CMS if specified by the user
if self.options['match_all']:
DiscoverAllCMS(self.data).run()
#
# --- SEARCH FOR SUBDOMAINS --------
#
if self.options['subdomains']:
DiscoverSubdomains(self.options, self.data).run()
# mark the end of the run
self.data['results'].update()
#
# --- SEARCH FOR TOOLS --------
#
DiscoverTools(self.data).run()
#
# --- SEARCH FOR VULNERABILITIES --------
#
# search the vulnerability fingerprints for matches
DiscoverVulnerabilities(self.data).run()
#
# --- SAVE THE CACHE --------------------
#
if not self.options['no_cache_save']:
self.data['cache'].save()
#
# --- PRINT RESULTS ---------------------
#
# calc an set run time
self.data['runtime'] = time.time() - self.data['timer']
# update the URL count
self.data['url_count'] = self.data['cache'].get_num_urls()
# Create outputter and get results
if self.options['write_file'] is not None:
self.json_outputter.add_results()
outputter = OutputPrinter(self.options, self.data)
outputter.print_results()
def get_results(self):
return self.data['results'].results
def reset(self):
self.data['results'] = Results(self.options)
self.data['cache'] = Cache()
def run(self):
if self.options['urls'] is not None:
for url in self.options['urls']:
self.reset()
self.options['url'] = url.strip()
self.scan_site()
else:
self.scan_site()
if self.options['write_file'] is not None:
self.json_outputter.write_file()
def parse_args(url=None):
parser = argparse.ArgumentParser(description='WebApp Information Gatherer')
parser.add_argument('url', nargs='?', type=str, default=None,
help='The url to scan e.g. http://example.com')
parser.add_argument('-l', type=str, default=None, dest="input_file",
help='File with urls, one per line.')
parser.add_argument('-q', action='store_true', dest='quiet', default=False,
help='Set wig to not prompt for user input during run')
parser.add_argument('-n', type=int, default=1, dest="stop_after",
help='Stop after this amount of CMSs have been detected. Default: 1')
parser.add_argument('-a', action='store_true', dest='run_all', default=False,
help='Do not stop after the first CMS is detected')
parser.add_argument('-m', action='store_true', dest='match_all', default=False,
help='Try harder to find a match without making more requests')
parser.add_argument('-u', action='store_true', dest='user_agent',
default='Mozilla/5.0 (Windows NT 6.3; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2049.0 Safari/537.36',
help='User-agent to use in the requests')
parser.add_argument('-d', action='store_false', dest='subdomains', default=True,
help='Disable the search for subdomains')
parser.add_argument('-t', dest='threads', default=10, type=int,
help='Number of threads to use')
parser.add_argument('--no_cache_load', action='store_true', default=False,
help='Do not load cached responses')
parser.add_argument('--no_cache_save', action='store_true', default=False,
help='Do not save the cache for later use')
parser.add_argument('-N', action='store_true', dest='no_cache', default=False,
help='Shortcut for --no_cache_load and --no_cache_save')
parser.add_argument('--verbosity', '-v', action='count', default=0,
help='Increase verbosity. Use multiple times for more info')
parser.add_argument('--proxy', dest='proxy', default=None,
help='Tunnel through a proxy (format: localhost:8080)')
parser.add_argument('-w', dest='output_file', default=None,
help='File to dump results into (JSON)')
args = parser.parse_args()
if url is not None:
args.url = url
if args.input_file is None and args.url is None:
raise Exception('No target(s) specified')
if args.no_cache:
args.no_cache_load = True
args.no_cache_save = True
return args
def wig(**kwargs):
"""
Use this to call wig from python:
>>>> from wig import wig
>>>> w = wig(url='example.com')
>>>> w.run()
>>>> results = w.get_results()
"""
# the url parameter must be supplied
if 'url' not in kwargs:
raise Exception('url parameter not supplied')
args = parse_args(kwargs['url'])
# set all other parameters supplied in the function call
for setting in kwargs:
if setting not in args:
raise Exception('Unknown keyword supplied: %s' % (setting, ))
setattr(args, setting, kwargs[setting])
# need to be set in order to silence wig
args.verbosity = -1
args.quiet = True
# return an instance of wig
return Wig(args)
# if called from the command line
if __name__ == '__main__':
args = parse_args()
try:
wig = Wig(args)
wig.run()
except KeyboardInterrupt:
raise