forked from microsoft/playwright-python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.py
301 lines (244 loc) · 10.1 KB
/
server.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
# Copyright (c) Microsoft Corporation.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import abc
import asyncio
import contextlib
import gzip
import mimetypes
import socket
import threading
from contextlib import closing
from http import HTTPStatus
from typing import Any, Callable, Dict, Generator, Generic, Set, Tuple, TypeVar
from urllib.parse import urlparse
from autobahn.twisted.websocket import WebSocketServerFactory, WebSocketServerProtocol
from OpenSSL import crypto
from twisted.internet import reactor, ssl
from twisted.internet.protocol import ClientFactory
from twisted.web import http
from playwright._impl._path_utils import get_file_dirname
_dirname = get_file_dirname()
def find_free_port() -> int:
with closing(socket.socket(socket.AF_INET, socket.SOCK_STREAM)) as s:
s.bind(("", 0))
s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
return s.getsockname()[1]
class HttpRequestWithPostBody(http.Request):
post_body = None
T = TypeVar("T")
class ExpectResponse(Generic[T]):
def __init__(self) -> None:
self._value: T
@property
def value(self) -> T:
if not hasattr(self, "_value"):
raise ValueError("no received value")
return self._value
class Server:
protocol = "http"
def __init__(self) -> None:
self.PORT = find_free_port()
self.EMPTY_PAGE = f"{self.protocol}://localhost:{self.PORT}/empty.html"
self.PREFIX = f"{self.protocol}://localhost:{self.PORT}"
self.CROSS_PROCESS_PREFIX = f"{self.protocol}://127.0.0.1:{self.PORT}"
# On Windows, this list can be empty, reporting text/plain for scripts.
mimetypes.add_type("text/html", ".html")
mimetypes.add_type("text/css", ".css")
mimetypes.add_type("application/javascript", ".js")
mimetypes.add_type("image/png", ".png")
mimetypes.add_type("font/woff2", ".woff2")
def __repr__(self) -> str:
return self.PREFIX
@abc.abstractmethod
def listen(self, factory: ClientFactory) -> None:
pass
def start(self) -> None:
request_subscribers: Dict[str, asyncio.Future] = {}
auth: Dict[str, Tuple[str, str]] = {}
csp: Dict[str, str] = {}
routes: Dict[str, Callable[[http.Request], Any]] = {}
gzip_routes: Set[str] = set()
self.request_subscribers = request_subscribers
self.auth = auth
self.csp = csp
self.routes = routes
self.gzip_routes = gzip_routes
static_path = _dirname / "assets"
class TestServerHTTPHandler(http.Request):
def process(self) -> None:
request = self
if request.content:
self.post_body = request.content.read()
request.content.seek(0, 0)
else:
self.post_body = None
uri = urlparse(request.uri.decode())
path = uri.path
request_subscriber = request_subscribers.get(path)
if request_subscriber:
request_subscriber._loop.call_soon_threadsafe(
request_subscriber.set_result, request
)
request_subscribers.pop(path)
if auth.get(path):
authorization_header = request.requestHeaders.getRawHeaders(
"authorization"
)
creds_correct = False
if authorization_header:
creds_correct = auth.get(path) == (
request.getUser().decode(),
request.getPassword().decode(),
)
if not creds_correct:
request.setHeader(
b"www-authenticate", 'Basic realm="Secure Area"'
)
request.setResponseCode(HTTPStatus.UNAUTHORIZED)
request.finish()
return
if csp.get(path):
request.setHeader(b"Content-Security-Policy", csp[path])
if routes.get(path):
routes[path](request)
return
file_content = None
try:
file_content = (static_path / path[1:]).read_bytes()
content_type = mimetypes.guess_type(path)[0]
if content_type and content_type.startswith("text/"):
content_type += "; charset=utf-8"
request.setHeader(b"Content-Type", content_type)
request.setHeader(b"Cache-Control", "no-cache, no-store")
if path in gzip_routes:
request.setHeader("Content-Encoding", "gzip")
request.write(gzip.compress(file_content))
else:
request.setHeader(b"Content-Length", str(len(file_content)))
request.write(file_content)
self.setResponseCode(HTTPStatus.OK)
except (FileNotFoundError, IsADirectoryError, PermissionError):
request.setResponseCode(HTTPStatus.NOT_FOUND)
self.finish()
class MyHttp(http.HTTPChannel):
requestFactory = TestServerHTTPHandler
class MyHttpFactory(http.HTTPFactory):
protocol = MyHttp
self.listen(MyHttpFactory())
async def wait_for_request(self, path: str) -> HttpRequestWithPostBody:
if path in self.request_subscribers:
return await self.request_subscribers[path]
future: asyncio.Future["HttpRequestWithPostBody"] = asyncio.Future()
self.request_subscribers[path] = future
return await future
@contextlib.contextmanager
def expect_request(
self, path: str
) -> Generator[ExpectResponse[HttpRequestWithPostBody], None, None]:
future = asyncio.create_task(self.wait_for_request(path))
cb_wrapper: ExpectResponse[HttpRequestWithPostBody] = ExpectResponse()
def done_cb(task: asyncio.Task) -> None:
cb_wrapper._value = future.result()
future.add_done_callback(done_cb)
yield cb_wrapper
def set_auth(self, path: str, username: str, password: str) -> None:
self.auth[path] = (username, password)
def set_csp(self, path: str, value: str) -> None:
self.csp[path] = value
def reset(self) -> None:
self.request_subscribers.clear()
self.auth.clear()
self.csp.clear()
self.gzip_routes.clear()
self.routes.clear()
def set_route(
self, path: str, callback: Callable[[HttpRequestWithPostBody], Any]
) -> None:
self.routes[path] = callback
def enable_gzip(self, path: str) -> None:
self.gzip_routes.add(path)
def set_redirect(self, from_: str, to: str) -> None:
def handle_redirect(request: http.Request) -> None:
request.setResponseCode(HTTPStatus.FOUND)
request.setHeader("location", to)
request.finish()
self.set_route(from_, handle_redirect)
class HTTPServer(Server):
def listen(self, factory: ClientFactory) -> None:
reactor.listenTCP(self.PORT, factory, interface="127.0.0.1")
try:
reactor.listenTCP(self.PORT, factory, interface="::1")
except Exception:
pass
class HTTPSServer(Server):
protocol = "https"
def listen(self, factory: ClientFactory) -> None:
cert = ssl.PrivateCertificate.fromCertificateAndKeyPair(
ssl.Certificate.loadPEM(
(_dirname / "testserver" / "cert.pem").read_bytes()
),
ssl.KeyPair.load(
(_dirname / "testserver" / "key.pem").read_bytes(), crypto.FILETYPE_PEM
),
)
contextFactory = cert.options()
reactor.listenSSL(self.PORT, factory, contextFactory, interface="127.0.0.1")
try:
reactor.listenSSL(self.PORT, factory, contextFactory, interface="::1")
except Exception:
pass
class WebSocketServerServer(WebSocketServerProtocol):
def __init__(self) -> None:
super().__init__()
self.PORT = find_free_port()
def start(self) -> None:
ws = WebSocketServerFactory("ws://127.0.0.1:" + str(self.PORT))
ws.protocol = WebSocketProtocol
reactor.listenTCP(self.PORT, ws)
class WebSocketProtocol(WebSocketServerProtocol):
def onConnect(self, request: Any) -> None:
pass
def onOpen(self) -> None:
self.sendMessage(b"incoming")
def onMessage(self, payload: bytes, isBinary: bool) -> None:
if payload == b"echo-bin":
self.sendMessage(b"\x04\x02", True)
self.sendClose()
if payload == b"echo-text":
self.sendMessage(b"text", False)
self.sendClose()
if payload == b"close":
self.sendClose()
def onClose(self, wasClean: Any, code: Any, reason: Any) -> None:
pass
class TestServer:
def __init__(self) -> None:
self.server = HTTPServer()
self.https_server = HTTPSServer()
self.ws_server = WebSocketServerServer()
def start(self) -> None:
self.server.start()
self.https_server.start()
self.ws_server.start()
self.thread = threading.Thread(
target=lambda: reactor.run(installSignalHandlers=0)
)
self.thread.start()
def stop(self) -> None:
reactor.stop()
self.thread.join()
def reset(self) -> None:
self.server.reset()
self.https_server.reset()
test_server = TestServer()