-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathhttpserver.py
More file actions
158 lines (149 loc) · 7.37 KB
/
httpserver.py
File metadata and controls
158 lines (149 loc) · 7.37 KB
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
import http.server as http
from socketserver import ForkingMixIn
import socket
from mako.template import Template
from urllib.parse import parse_qs
str_to_byte = lambda unicode_string: bytes(unicode_string, 'UTF-8')
class PMHTTPServer(ForkingMixIn, http.HTTPServer):
def __init__(self, server_address, RequestHandlerClass, config, db, status):
self.config = config
self.status = status
#socket.setdefaulttimeout(10.0) # globally set the timeout for a socket object
self.db = db
super().__init__(server_address, RequestHandlerClass)
def finish_request(self, request, client_address):
http.HTTPServer.finish_request(self, request, client_address)
class PMHTTPRequestHandler(http.BaseHTTPRequestHandler):
def __init__(self, request, client_address, server):
self.config = server.config
self.status = server.status
self.db = server.db
self.tpl_path = "{}/templates".format(self.config.working_dir)
super().__init__(request, client_address, server)
print("Default socket timeout: %s" % socket.getdefaulttimeout())
# GET request router
def do_GET(self):
print("Timeout at req handler: %s" % self.request.gettimeout())
# Favicon file req.
if self.path == '/favicon.ico':
self.response_headers(200, "image/x-icon")
with open(self.tpl_path + self.path, 'rb') as ico_file:
self.wfile.write(ico_file.read())
# Javascript file req.
elif self.path.endswith('.js'):
self.response_headers(200, "application/javascript")
with open("{}/js{}".format(self.tpl_path, self.path), 'rb') as js_file:
self.wfile.write(js_file.read())
# CSS file req.
elif self.path.endswith('.css'):
with open("{}/css{}".format(self.tpl_path, self.path), 'rb') as css_file:
css_data = css_file.read()
self.response_headers(200, "text/css", len(css_data))
self.wfile.write(css_data)
# Dynamic content response
else:
tpl_file = '404.html' # If request is invalid
tpl_data = {'requested_url': self.path} #
# Site root alias to status page
if self.path == '/':
self.path = '/index'
# Status page req.
if self.path == '/index':
tpl_data = {'groups': self.db.get_grouped_servers()}
tpl_file = 'index.html'
# Groups page req.
elif self.path == '/admin':
tpl_data = {'groups': self.db.get_group_list()}
tpl_file = 'admin.html'
# Servers page req.
elif self.path.startswith('/admin/'):
group_id = int(self.path[7::])
print(group_id)
if group_id in self.db.get_group_list(id_list=True):
tpl_data = {'servers': self.db.get_servers(group_id),
'name': self.db.get_group_name(group_id),
'group_id': group_id}
tpl_file = 'admin_group.html'
# Generate html and respond
template = Template(filename='{}/{}'.format(self.tpl_path, tpl_file))
html = template.render(**tpl_data)
self.response_headers(200 if tpl_file != '404.html' else 404, "text/html")
self.wfile.write(str_to_byte(html))
# POST request router
def do_POST(self):
# Status page req.
if self.path == '/index':
if self.headers['content-type'].lower().startswith('application/x-www-form-urlencoded'):
length = int(self.headers['content-length'])
params = parse_qs(self.rfile.read(length).decode(), keep_blank_values=True)
if 'group' in params:
group_id = params['group'][0]
data = {'group': self.server.status.get_group(group_id)}
template = Template(filename='{}/ajax_status.html'.format(self.tpl_path))
html = template.render(**data)
self.response_headers(200, "text/html")
self.wfile.write(str_to_byte(html))
# Admin form req.
elif self.path == '/admin':
if self.headers['content-type'].lower().startswith('application/x-www-form-urlencoded'):
length = int(self.headers['content-length'])
params = parse_qs(self.rfile.read(length).decode(), keep_blank_values=True)
print(params)
if 'delete' in params:
for group_id in params['delete']:
self.db.del_group(int(group_id))
self.status.restart()
self.redirect('/admin')
elif 'add' in params:
self.db.add_group(params['add'][0].capitalize())
self.status.restart()
self.redirect('/admin')
elif 'edit' in params:
group_id = params['group_id'][0]
new_name = params['edit'][0]
self.db.edit_group(group_id, new_name)
self.status.restart()
self.redirect('/admin')
else:
self.response_headers(404, "text/html")
# Server form req.
elif self.path.startswith('/admin/'):
group_id = int(self.path[7::])
if group_id in self.db.get_group_list(id_list=True):
if self.headers['content-type'].lower().startswith('application/x-www-form-urlencoded'):
length = int(self.headers['content-length'])
params = parse_qs(self.rfile.read(length).decode(), keep_blank_values=True)
if 'delete' in params:
for server_id in params['delete']:
self.db.del_server(server_id)
self.status.restart()
self.redirect('/admin/{}'.format(group_id))
elif 'add' in params:
name = params['add'][0].capitalize()
address = params['address'][0]
self.db.add_server(group_id, name, address)
self.status.restart()
self.redirect('/admin/{}'.format(group_id))
elif 'edit' in params:
desc = params['edit'][0]
addr = params['address'][0]
server_id = params['server_id'][0]
self.db.edit_server(server_id, desc, addr)
self.status.restart()
self.redirect('/admin/{}'.format(group_id))
# Invalid req.
else:
self.response_headers(404, "text/html")
self.wfile.write(str_to_byte('Invalid request!'))
# HTTP headers
def response_headers(self, resp_code, content_type, content_len=None):
self.send_response(resp_code)
self.send_header("Content-type", content_type)
if content_len != None:
self.send_header("Content-lenght", content_len)
self.end_headers()
# HTTP redirect
def redirect(self, location):
self.send_response(301, message='Moved permanently')
self.send_header('Location', '{}'.format(location))
self.end_headers()