-
-
Notifications
You must be signed in to change notification settings - Fork 142
/
RedWarden.py
255 lines (203 loc) · 8.17 KB
/
RedWarden.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
#!/usr/bin/python3
# -*- coding: utf-8 -*-
#
# RedWarden
#
# TODO:
# - implement dynamic plugins directory scanning method in the PluginsLoader
# - perform severe code refactoring as for now it's kinda ugly
# - add more advanced logging capabilities, redesign packets contents dumping
#
# Changelog:
# 0.1 original fork from inaz2 repository.
# 0.2 added plugins loading functionality,
# ssl interception as a just-in-time setup,
# more elastic logging facilities,
# separation of program options in form of a globally accessible dictonary,
# program's help text with input parameters handling,
# 0.3 added python3 support, enhanced https capabilities and added more versatile
# plugins support.
# 0.4 improved reverse-proxy's capabilities, added logic to avoid inifinite loops
# 0.5 fixed plenty of bugs, improved a bit server's resilience against slow/misbehaving peers
# by disconnecting them/timeouting connections, improved logging facility and output format,
# added options to protected HTTP headers, apply fine-grained DROP policy, and plenty more.
# 0.6 rewritten RedWarden from BaseHTTPServer (SimpleHTTPServer) to Tornado, improved
# support for proxy_pass allowing to fetch responses cross-scheme
# 0.8 fixed two issues with config param processing logic and added support for multi-line
# prepend/append instructions in Malleable profiles.
# 0.9 added support for RedELK logs generation.
#
# Author:
# Mariusz Banach / mgeeky, '16-'22
# <mb@binary-offensive.com>
#
# (originally based on: @inaz2 implementation: https://github.com/futuresimple/proxy2)
# (now obsoleted)
#
VERSION = '0.9.3'
import sys, os
import logging
import tornado.web
import tornado.httpserver
import tornado.netutil
import asyncio
from lib.proxylogger import ProxyLogger
from lib.proxyhandler import *
normpath = lambda p: os.path.normpath(os.path.join(os.path.dirname(os.path.realpath(__file__)), p))
# Global options dictonary, that will get modified after parsing
# program arguments. Below state represents default values.
options = {
'bind': 'http://0.0.0.0',
'port': [8080, ],
'debug': False, # Print's out debuging informations
'verbose': False,
'tee': False,
'log': None,
'proxy_self_url': 'http://RedWarden.test/',
'timeout': 90,
'access_log' : '',
'access_log_format' : 'apache2',
'redelk_frontend_name' : 'http-redwarden',
'redelk_backend_name_c2' : 'c2',
'redelk_backend_name_decoy' : 'decoy',
'no_ssl': False,
'drop_invalid_http_requests': True,
'no_proxy': False,
'cakey': normpath('ca-cert/ca.key'),
'cacert': normpath('ca-cert/ca.crt'),
'certkey': normpath('ca-cert/cert.key'),
'certdir': normpath('certs/'),
'cacn': 'RedWarden CA',
'plugins': set(),
'plugin_class_name': 'ProxyPlugin',
}
logger = None
def create_ssl_context():
ssl_ctx = ssl.create_default_context(ssl.Purpose.CLIENT_AUTH)
ssl_ctx.load_cert_chain(options['cacert'], options['cakey'])
return ssl_ctx
async def server_loop(servers):
# Schedule calls *concurrently*:
L = await asyncio.gather(*servers)
async def serve_proxy(bind, port, _ssl, foosock):
ProxyRequestHandler.protocol_version = "HTTP/1.1"
scheme = None
certpath = ''
if not bind or len(bind) == 0:
if options['bind'].startswith('http') and '://' in options['bind']:
colon = options['bind'].find(':')
scheme = options['bind'][:colon].lower()
if scheme == 'https' and not _ssl:
logger.fatal('You can\'t specify different schemes in bind address (-B) and on the port at the same time! Pick one place for that.\nSTOPPING THIS SERVER.')
bind = options['bind'][colon + 3:].replace('/', '').lower()
else:
bind = options['bind']
if _ssl:
scheme = 'https'
if scheme == None: scheme = 'http'
server_address = (bind, port)
app = None
logging.getLogger('tornado.access').disabled = True
try:
params = dict(server_bind=bind, server_port=port)
app = tornado.web.Application([
(r'/.*', ProxyRequestHandler, params),
(scheme + r'://.*', ProxyRequestHandler, params),
],
transforms=[RemoveXProxy2HeadersTransform, ])
except OSError as e:
if 'Address already in use' in str(e):
logger.err("Could not bind to specified port as it is already in use!")
return
else:
raise
logger.info("Serving proxy on: {}://{}:{} ...".format(scheme, bind, port),
color=ProxyLogger.colors_map['yellow'])
server = None
if scheme == 'https':
ssl_ctx = create_ssl_context()
server = tornado.httpserver.HTTPServer(
app,
ssl_options=ssl_ctx,
idle_connection_timeout = options['timeout'],
body_timeout = options['timeout'],
)
else:
server = tornado.httpserver.HTTPServer(
app,
idle_connection_timeout = options['timeout'],
body_timeout = options['timeout'],
)
server.add_sockets(foosock)
await asyncio.Event().wait()
def main():
global options
global logger
try:
(options, logger) = init(options, VERSION)
logger.info(r'''
____ ___ __ __
/ __ \___ ____/ / | / /___ __________/ /__ ____
/ /_/ / _ \/ __ /| | /| / / __ `/ ___/ __ / _ \/ __ \
/ _, _/ __/ /_/ / | |/ |/ / /_/ / / / /_/ / __/ / / /
/_/ |_|\___/\__,_/ |__/|__/\__,_/_/ \__,_/\___/_/ /_/
:: RedWarden - Keeps your malleable C2 packets slipping through AVs,
EDRs, Blue Teams and club bouncers like nothing else!
by Mariusz Banach / mgeeky, '19-'22
<mb [at] binary-offensive.com>
v{}
'''.format(VERSION))
threads = []
if len(options['port']) == 0:
options['port'].append('8080/http')
servers = []
portsBound = set()
for port in options['port']:
p = 0
scheme = 'http'
bind = ''
if port in portsBound:
logger.err(f'TCP Port {port} already bound. Possibly a duplicate configuration line. Skipping it.')
continue
portsBound.add(port)
try:
_port = port
if type(port) == int:
bind = options['bind']
if ':' in port:
bind, port = _port.split(':')
if '/http' in port:
_port, scheme = port.split('/')
p = int(_port)
if p < 0 or p > 65535: raise Exception()
if not bind:
bind = '0.0.0.0'
foosock = tornado.netutil.bind_sockets(p, address = bind)
servers.append((bind, p, scheme.lower() == 'https', foosock, options))
except OSError as e:
logger.err('Could not bind to specified TCP port: {}\nException: {}\n'.format(port, e))
raise
return False
except Exception as e:
logger.err('Specified port ({}) is not a valid number in range of 1-65535!\n'.format(port))
raise
return False
# https://www.tornadoweb.org/en/stable/tcpserver.html
# advanced multi-process:
tornado.process.fork_processes(0)
statements = []
for srv in servers:
statements.append(serve_proxy(srv[0], srv[1], srv[2], srv[3]))
asyncio.run(server_loop(statements))
except KeyboardInterrupt:
logger.info('\nProxy serving interrupted by user.', noprefix=True)
except Exception as e:
print(ProxyLogger.with_color(ProxyLogger.colors_map['red'], 'Fatal error has occured.'))
print(ProxyLogger.with_color(ProxyLogger.colors_map['red'], '\t%s\nTraceback:' % e))
print(ProxyLogger.with_color(ProxyLogger.colors_map['red'], '-'*30))
traceback.print_exc()
print(ProxyLogger.with_color(ProxyLogger.colors_map['red'], '-'*30))
finally:
cleanup()
if __name__ == '__main__':
main()