mirror of
https://github.com/LadybirdBrowser/ladybird.git
synced 2025-06-08 05:27:14 +09:00
184 lines
5.7 KiB
Python
Executable file
184 lines
5.7 KiB
Python
Executable file
#!/usr/bin/env python3
|
|
import argparse
|
|
import http.server
|
|
import json
|
|
import os
|
|
import socketserver
|
|
import sys
|
|
import time
|
|
from typing import Dict, Optional
|
|
|
|
"""
|
|
Description:
|
|
This script starts a simple HTTP echo server on localhost for use in our in-tree tests.
|
|
The port is assigned by the OS on startup and printed to stdout.
|
|
|
|
Endpoints:
|
|
- POST /echo <json body>, Creates an echo response for later use. See "Echo" class below for body properties.
|
|
"""
|
|
|
|
|
|
class Echo:
|
|
method: str
|
|
path: str
|
|
status: int
|
|
headers: Optional[Dict[str, str]]
|
|
body: Optional[str]
|
|
delay_ms: Optional[int]
|
|
reason_phrase: Optional[str]
|
|
|
|
|
|
# In-memory store for echo responses
|
|
echo_store: Dict[str, Echo] = {}
|
|
|
|
|
|
class TestHTTPRequestHandler(http.server.SimpleHTTPRequestHandler):
|
|
def __init__(self, *arguments, **kwargs):
|
|
super().__init__(*arguments, directory=None, **kwargs)
|
|
|
|
def do_GET(self):
|
|
if self.path.startswith("/static/"):
|
|
# Remove "/static/" prefix and use built-in method
|
|
self.path = self.path[7:]
|
|
return super().do_GET()
|
|
else:
|
|
self.handle_echo()
|
|
|
|
def do_POST(self):
|
|
if self.path == "/echo":
|
|
content_length = int(self.headers["Content-Length"])
|
|
post_data = self.rfile.read(content_length)
|
|
data = json.loads(post_data.decode("utf-8"))
|
|
|
|
echo = Echo()
|
|
echo.method = data.get("method", None)
|
|
echo.path = data.get("path", None)
|
|
echo.status = data.get("status", None)
|
|
echo.body = data.get("body", None)
|
|
echo.delay_ms = data.get("delay_ms", None)
|
|
echo.headers = data.get("headers", None)
|
|
echo.reason_phrase = data.get("reason_phrase", None)
|
|
|
|
is_using_reserved_path = echo.path.startswith("/static") or echo.path.startswith("/echo")
|
|
|
|
# Return 400: Bad Request if invalid params are given or a reserved path is given
|
|
if echo.method is None or echo.path is None or echo.status is None or is_using_reserved_path:
|
|
self.send_response(400)
|
|
self.send_header("Content-Type", "text/plain")
|
|
self.end_headers()
|
|
return
|
|
|
|
# Return 409: Conflict if the method+path combination already exists
|
|
key = f"{echo.method} {echo.path}"
|
|
if key in echo_store:
|
|
self.send_response(409)
|
|
self.send_header("Content-Type", "text/plain")
|
|
self.end_headers()
|
|
return
|
|
|
|
echo_store[key] = echo
|
|
|
|
host = self.headers.get("host", "localhost")
|
|
path = echo.path.lstrip("/")
|
|
fetch_url = f"http://{host}/{path}"
|
|
|
|
# The params to use on the client when making a request to the newly created echo endpoint
|
|
fetch_config = {
|
|
"method": echo.method,
|
|
"url": fetch_url,
|
|
}
|
|
|
|
self.send_response(201)
|
|
self.send_header("Access-Control-Allow-Origin", "*")
|
|
self.send_header("Content-Type", "application/json")
|
|
self.end_headers()
|
|
self.wfile.write(json.dumps(fetch_config).encode("utf-8"))
|
|
elif self.path.startswith("/static/"):
|
|
self.send_error(405, "Method Not Allowed")
|
|
else:
|
|
self.handle_echo()
|
|
|
|
def do_OPTIONS(self):
|
|
if self.path.startswith("/echo"):
|
|
self.send_response(204)
|
|
self.send_header("Access-Control-Allow-Origin", "*")
|
|
self.send_header("Access-Control-Allow-Methods", "*")
|
|
self.send_header("Access-Control-Allow-Headers", "*")
|
|
self.end_headers()
|
|
else:
|
|
self.do_other()
|
|
|
|
def do_PUT(self):
|
|
self.do_other()
|
|
|
|
def do_HEAD(self):
|
|
self.do_other()
|
|
|
|
def do_DELETE(self):
|
|
self.do_other()
|
|
|
|
def handle_echo(self):
|
|
method = self.command.upper()
|
|
key = f"{method} {self.path}"
|
|
|
|
if key in echo_store:
|
|
echo = echo_store[key]
|
|
|
|
if echo.delay_ms is not None:
|
|
time.sleep(echo.delay_ms / 1000)
|
|
|
|
# Send the status code without any default headers
|
|
self.send_response_only(echo.status, echo.reason_phrase)
|
|
|
|
# Set only the headers defined in the echo definition
|
|
if echo.headers is not None:
|
|
for header, value in echo.headers.items():
|
|
self.send_header(header, value)
|
|
self.end_headers()
|
|
|
|
response_body = echo.body or ""
|
|
self.wfile.write(response_body.encode("utf-8"))
|
|
else:
|
|
self.send_error(404, f"Echo response not found for {key}")
|
|
|
|
def do_other(self):
|
|
if self.path.startswith("/static/"):
|
|
self.send_error(405, "Method Not Allowed")
|
|
else:
|
|
self.handle_echo()
|
|
|
|
|
|
def start_server(port, static_directory):
|
|
TestHTTPRequestHandler.static_directory = os.path.abspath(static_directory)
|
|
httpd = socketserver.TCPServer(("127.0.0.1", port), TestHTTPRequestHandler)
|
|
|
|
print(httpd.socket.getsockname()[1])
|
|
sys.stdout.flush()
|
|
|
|
try:
|
|
httpd.serve_forever()
|
|
except KeyboardInterrupt:
|
|
pass
|
|
finally:
|
|
httpd.server_close()
|
|
|
|
|
|
if __name__ == "__main__":
|
|
parser = argparse.ArgumentParser(description="Run a HTTP echo server")
|
|
parser.add_argument(
|
|
"-d",
|
|
"--directory",
|
|
type=str,
|
|
default=".",
|
|
help="Directory to serve static files from",
|
|
)
|
|
parser.add_argument(
|
|
"-p",
|
|
"--port",
|
|
type=int,
|
|
default=0,
|
|
help="Port to run the server on",
|
|
)
|
|
args = parser.parse_args()
|
|
|
|
start_server(port=args.port, static_directory=args.directory)
|