[package]
name = "example-simple-router-wasm"
version = "0.1.0"
edition = "2018"
publish = false
[dependencies]
# `default-features = false` to not depend on tokio features which don't support wasm
# you can still pull in tokio manually and only add features that tokio supports for wasm
axum = { path = "../../axum", default-features = false }
# we don't strictly use axum-extra in this example but wanna make sure that
# works in wasm as well
axum-extra = { path = "../../axum-extra", default-features = false }
futures-executor = "0.3.21"
http = "1.0.0"
tower-service = "0.3.1"
[package.metadata.cargo-machete]
ignored = ["axum-extra"]
//! Run with
//!
//! ```not_rust
//! cargo run -p example-simple-router-wasm
//! ```
//!
//! This example shows what using axum in a wasm context might look like. This example should
//! always compile with `--target wasm32-unknown-unknown`.
//!
//! [`mio`](https://docs.rs/mio/latest/mio/index.html), tokio's IO layer, does not support the
//! `wasm32-unknown-unknown` target which is why this crate requires `default-features = false`
//! for axum.
//!
//! Most serverless runtimes expect an exported function that takes in a single request and returns
//! a single response, much like axum's `Handler` trait. In this example, the handler function is
//! `app` with `main` acting as the serverless runtime which originally receives the request and
//! calls the app function.
//!
//! We can use axum's routing, extractors, tower services, and everything else to implement
//! our serverless function, even though we are running axum in a wasm context.
use axum::{
response::{Html, Response},
routing::get,
Router,
};
use futures_executor::block_on;
use http::Request;
use tower_service::Service;
fn main() {
let request: Request<String> = Request::builder()
.uri("https://serverless.example/api/")
.body("Some Body Data".into())
.unwrap();
let response: Response = block_on(app(request));
assert_eq!(200, response.status());
}
#[allow(clippy::let_and_return)]
async fn app(request: Request<String>) -> Response {
let mut router = Router::new().route("/api/", get(index));
let response = router.call(request).await.unwrap();
response
}
async fn index() -> Html<&'static str> {
Html("<h1>Hello, World!</h1>")
}