File size: 7,168 Bytes
f0f4f2b |
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 |
#![allow(non_upper_case_globals)]
use std::future::IntoFuture;
use std::process::Stdio;
use std::time::Duration;
use anyhow::{bail, Context, Result};
use axum::http::{header, Uri};
use axum::response::{Html, IntoResponse, Response};
use axum::routing::get;
use axum::{extract::State, http::StatusCode, routing::post, Json, Router};
use redis::{AsyncCommands, Client};
use thirtyfour::prelude::*;
use tokio::io::{AsyncBufReadExt, BufReader};
use tokio::net::TcpListener;
use tokio::process::Child;
use tokio::sync::mpsc;
use tower_http::cors::CorsLayer;
use tower_http::trace::TraceLayer;
use tracing_subscriber::{fmt, prelude::*, EnvFilter};
use interop_tests::{BlpopRequest, Report};
mod config;
const BIND_ADDR: &str = "127.0.0.1:8080";
/// Embedded Wasm package
///
/// Make sure to build the wasm with `wasm-pack build --target web`
#[derive(rust_embed::RustEmbed)]
#[folder = "pkg"]
struct WasmPackage;
#[derive(Clone)]
struct TestState {
redis_client: Client,
config: config::Config,
results_tx: mpsc::Sender<Result<Report, String>>,
}
#[tokio::main]
async fn main() -> Result<()> {
// start logging
tracing_subscriber::registry()
.with(fmt::layer())
.with(EnvFilter::from_default_env())
.init();
// read env variables
let config = config::Config::from_env()?;
let test_timeout = Duration::from_secs(config.test_timeout);
// create a redis client
let redis_client =
Client::open(config.redis_addr.as_str()).context("Could not connect to redis")?;
let (results_tx, mut results_rx) = mpsc::channel(1);
let state = TestState {
redis_client,
config,
results_tx,
};
// create a wasm-app service
let app = Router::new()
// Redis proxy
.route("/blpop", post(redis_blpop))
// Report tests status
.route("/results", post(post_results))
// Wasm ping test trigger
.route("/", get(serve_index_html))
// Wasm app static files
.fallback(serve_wasm_pkg)
// Middleware
.layer(CorsLayer::very_permissive())
.layer(TraceLayer::new_for_http())
.with_state(state);
// Run the service in background
tokio::spawn(axum::serve(TcpListener::bind(BIND_ADDR).await?, app).into_future());
// Start executing the test in a browser
let (mut chrome, driver) = open_in_browser().await?;
// Wait for the outcome to be reported
let test_result = match tokio::time::timeout(test_timeout, results_rx.recv()).await {
Ok(received) => received.unwrap_or(Err("Results channel closed".to_owned())),
Err(_) => Err("Test timed out".to_owned()),
};
// Close the browser after we got the results
driver.quit().await?;
chrome.kill().await?;
match test_result {
Ok(report) => println!("{}", serde_json::to_string(&report)?),
Err(error) => bail!("Tests failed: {error}"),
}
Ok(())
}
async fn open_in_browser() -> Result<(Child, WebDriver)> {
// start a webdriver process
// currently only the chromedriver is supported as firefox doesn't
// have support yet for the certhashes
let chromedriver = if cfg!(windows) {
"chromedriver.cmd"
} else {
"chromedriver"
};
let mut chrome = tokio::process::Command::new(chromedriver)
.arg("--port=45782")
.stdout(Stdio::piped())
.spawn()?;
// read driver's stdout
let driver_out = chrome
.stdout
.take()
.context("No stdout found for webdriver")?;
// wait for the 'ready' message
let mut reader = BufReader::new(driver_out).lines();
while let Some(line) = reader.next_line().await? {
if line.contains("ChromeDriver was started successfully.") {
break;
}
}
// run a webdriver client
let mut caps = DesiredCapabilities::chrome();
caps.set_headless()?;
caps.set_disable_dev_shm_usage()?;
caps.set_no_sandbox()?;
let driver = WebDriver::new("http://localhost:45782", caps).await?;
// go to the wasm test service
driver.goto(format!("http://{BIND_ADDR}")).await?;
Ok((chrome, driver))
}
/// Redis proxy handler.
/// `blpop` is currently the only redis client method used in a ping dialer.
async fn redis_blpop(
state: State<TestState>,
request: Json<BlpopRequest>,
) -> Result<Json<Vec<String>>, StatusCode> {
let client = state.0.redis_client;
let mut conn = client.get_async_connection().await.map_err(|e| {
tracing::warn!("Failed to connect to redis: {e}");
StatusCode::INTERNAL_SERVER_ERROR
})?;
let res = conn
.blpop(&request.key, request.timeout as f64)
.await
.map_err(|e| {
tracing::warn!(
key=%request.key,
timeout=%request.timeout,
"Failed to get list elem key within timeout: {e}"
);
StatusCode::INTERNAL_SERVER_ERROR
})?;
Ok(Json(res))
}
/// Receive test results
async fn post_results(
state: State<TestState>,
request: Json<Result<Report, String>>,
) -> Result<(), StatusCode> {
state.0.results_tx.send(request.0).await.map_err(|_| {
tracing::error!("Failed to send results");
StatusCode::INTERNAL_SERVER_ERROR
})
}
/// Serve the main page which loads our javascript
async fn serve_index_html(state: State<TestState>) -> Result<impl IntoResponse, StatusCode> {
let config::Config {
transport,
ip,
is_dialer,
test_timeout,
sec_protocol,
muxer,
..
} = state.0.config;
let sec_protocol = sec_protocol
.map(|p| format!(r#""{p}""#))
.unwrap_or("null".to_owned());
let muxer = muxer
.map(|p| format!(r#""{p}""#))
.unwrap_or("null".to_owned());
Ok(Html(format!(
r#"
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8" />
<title>libp2p ping test</title>
<script type="module"">
// import a wasm initialization fn and our test entrypoint
import init, {{ run_test_wasm }} from "/interop_tests.js";
// initialize wasm
await init()
// run our entrypoint with params from the env
await run_test_wasm(
"{transport}",
"{ip}",
{is_dialer},
"{test_timeout}",
"{BIND_ADDR}",
{sec_protocol},
{muxer}
)
</script>
</head>
<body></body>
</html>
"#
)))
}
async fn serve_wasm_pkg(uri: Uri) -> Result<Response, StatusCode> {
let path = uri.path().trim_start_matches('/').to_string();
if let Some(content) = WasmPackage::get(&path) {
let mime = mime_guess::from_path(&path).first_or_octet_stream();
Ok(Response::builder()
.header(header::CONTENT_TYPE, mime.as_ref())
.body(content.data.into())
.unwrap())
} else {
Err(StatusCode::NOT_FOUND)
}
}
|