add apitest to github actions (#1591)

This commit is contained in:
Xiaochen Cui
2025-09-20 04:27:32 +08:00
committed by GitHub
parent 0c60ebd1d0
commit 9d0199f858
4 changed files with 272 additions and 0 deletions

View File

@@ -26,3 +26,23 @@ jobs:
run: |
npm install
npm run test
api-test:
runs-on: ubuntu-latest
strategy:
matrix:
node-version: [22.x]
steps:
- uses: actions/checkout@v4
- name: Use Node.js ${{ matrix.node-version }}
uses: actions/setup-node@v4
with:
node-version: ${{ matrix.node-version }}
- name: API Test
run: |
pip install -r ./tools/api-tester/ci/requirements.txt
./tools/api-tester/ci/run.py

View File

@@ -0,0 +1,16 @@
# API Test
## Summary
This script tests the APIs of the Puter backend and `puter-js`.
## Usage
```bash
pip install -r ./tools/api-tester/ci/requirements.txt
./tools/api-tester/ci/run.py
```
## TODO
- [ ] Support macOS.

View File

@@ -0,0 +1,3 @@
cxc-toolkit>=0.8.3
requests==2.32.3
PyYAML==6.0.2

233
tools/api-tester/ci/run.py Executable file
View File

@@ -0,0 +1,233 @@
#! /usr/bin/env python3
#
# Usage:
# ./tools/api-tester/ci/run.py
import argparse
import time
import sys
import os
import json
import datetime
import urllib
import requests
import yaml
import cxc_toolkit
import cxc_toolkit.exec
class Context:
def __init__(self):
self.ADMIN_PASSWORD = None
self.TOKEN = None
CONTEXT = Context()
def get_token():
# Send HTTP request to server and print response
print("Sending HTTP request to server...")
# Assuming the server runs on localhost:4100 (default Puter port)
server_url = "http://api.puter.localhost:4100/login"
# Prepare login data
login_data = {"username": "admin", "password": CONTEXT.ADMIN_PASSWORD}
# Send POST request using requests library
response = requests.post(
server_url,
headers={
"Content-Type": "application/json",
"Accept": "application/json",
"Origin": "http://api.puter.localhost:4100",
},
json=login_data,
timeout=30,
)
print(f"Server response status: {response.status_code}")
print(f"Server response body: {response.text}")
response_json = response.json()
print(f"Parsed JSON response: {json.dumps(response_json, indent=2)}")
print(f"Token: {response_json['token']}")
CONTEXT.TOKEN = response_json["token"]
def init_server_config():
server_process = cxc_toolkit.exec.run_background(
"npm start"
)
# wait 10s for the server to start
time.sleep(10)
server_process.terminate()
# create the admin user and print its password
def get_admin_password():
output_bytes, exit_code = cxc_toolkit.exec.run_command(
"npm start",
stream_output=False,
kill_on_output="password for admin",
)
# wait for the server to terminate
time.sleep(10)
# print the line that contains "password"
lines = output_bytes.decode("utf-8", errors="ignore").splitlines()
admin_password = None
for line in lines:
if "password" in line:
print(f"found password line: ---{line}---")
# Parse password from "password for admin is: bbb236b2"
if "password for admin is:" in line:
admin_password = line.split("password for admin is:")[1].strip()
print(f"Extracted admin password: {admin_password}")
break
print(f"password for admin: {admin_password}")
CONTEXT.ADMIN_PASSWORD = admin_password
def update_server_config():
# Load the config file
config_file = f"{os.getcwd()}/volatile/config/config.json"
with open(config_file, "r") as f:
config = json.load(f)
# Ensure services and mountpoint sections exist
if "services" not in config:
config["services"] = {}
if "mountpoint" not in config["services"]:
config["services"]["mountpoint"] = {}
if "mountpoints" not in config["services"]["mountpoint"]:
config["services"]["mountpoint"]["mountpoints"] = {}
# Add the mountpoint configuration
mountpoint_config = {
"/": {"mounter": "puterfs"},
"/admin/tmp": {"mounter": "memoryfs"},
}
# Merge mountpoints (overwrite existing ones)
config["services"]["mountpoint"]["mountpoints"].update(mountpoint_config)
# Write the updated config back
with open(config_file, "w") as f:
json.dump(config, f, indent=2)
def init_api_test():
# Load the example config
example_config_path = f"{os.getcwd()}/tools/api-tester/example_config.yml"
config_path = f"{os.getcwd()}/tools/api-tester/config.yml"
with open(example_config_path, "r") as f:
config = yaml.safe_load(f)
# Update the token
if not CONTEXT.TOKEN:
print("Warning: No token available in CONTEXT")
exit(1)
config["token"] = CONTEXT.TOKEN
config["url"] = "http://api.puter.localhost:4100"
# Write the updated config
with open(config_path, "w") as f:
yaml.dump(config, f, default_flow_style=False, indent=2)
def run():
# =========================================================================
# free the port 4100
# =========================================================================
cxc_toolkit.exec.run_command("fuser -k 4100/tcp", ignore_failure=True)
# =========================================================================
# config server
# =========================================================================
cxc_toolkit.exec.run_command("npm install")
init_server_config()
get_admin_password()
update_server_config()
# =========================================================================
# config client
# =========================================================================
server_process = cxc_toolkit.exec.run_background(
"npm start"
)
# wait 10s for the server to start
time.sleep(10)
get_token()
init_api_test()
# =========================================================================
# run the test
# =========================================================================
test_start_monotonic = time.time()
test_start_iso = datetime.datetime.now().isoformat(timespec="seconds")
output_bytes, exit_code = cxc_toolkit.exec.run_command(
"node ./tools/api-tester/apitest.js --unit --stop-on-failure"
)
test_duration_seconds = time.time() - test_start_monotonic
# =========================================================================
# process the result
# =========================================================================
# Extract results between the CI splitters printed by apitest.js
extracted_result = None
try:
output_text = output_bytes.decode("utf-8", errors="ignore")
lines = output_text.splitlines()
begin_phrase = "nightly build results begin"
end_phrase = "nightly build results end"
begin_line_index = next(
(i for i, ln in enumerate(lines) if begin_phrase in ln), -1
)
end_line_index = (
next(
(
i
for i in range(begin_line_index + 1, len(lines))
if end_phrase in lines[i]
),
-1,
)
if begin_line_index != -1
else -1
)
if (
begin_line_index != -1
and end_line_index != -1
and end_line_index > begin_line_index
):
extracted_lines = lines[begin_line_index + 1 : end_line_index]
extracted_result = "\n".join(extracted_lines).strip("\n")
else:
print(
"[warn] Failed to locate nightly build results markers in output",
file=sys.stderr,
)
except Exception as e:
print(f"[warn] Exception while extracting results: {e}", file=sys.stderr)
print(f"Server PID: {server_process.pid}")
server_process.terminate()
if __name__ == "__main__":
run()