juniper/examples/warp_async/src/main.rs

105 lines
2.3 KiB
Rust
Raw Normal View History

2019-08-19 15:40:22 -05:00
//! This example demonstrates async/await usage with warp.
use juniper::{
graphql_object, EmptyMutation, EmptySubscription, FieldError, GraphQLEnum, RootNode,
};
2019-08-19 15:40:22 -05:00
use warp::{http::Response, Filter};
#[derive(Clone, Copy, Debug)]
struct Context;
2019-08-19 15:40:22 -05:00
impl juniper::Context for Context {}
#[derive(Clone, Copy, Debug, GraphQLEnum)]
enum UserKind {
Admin,
User,
Guest,
}
#[derive(Clone, Debug)]
2019-08-19 15:40:22 -05:00
struct User {
id: i32,
kind: UserKind,
2019-08-19 15:40:22 -05:00
name: String,
}
#[graphql_object(Context = Context)]
2019-08-19 15:40:22 -05:00
impl User {
fn id(&self) -> i32 {
self.id
}
fn kind(&self) -> UserKind {
self.kind
}
2019-08-19 15:40:22 -05:00
fn name(&self) -> &str {
&self.name
}
async fn friends(&self) -> Vec<User> {
vec![]
}
}
#[derive(Clone, Copy, Debug)]
2019-11-04 07:55:36 -06:00
struct Query;
2019-08-19 15:40:22 -05:00
#[graphql_object(Context = Context)]
2019-08-19 15:40:22 -05:00
impl Query {
async fn users() -> Vec<User> {
vec![User {
id: 1,
kind: UserKind::Admin,
name: "user1".into(),
}]
2019-08-19 15:40:22 -05:00
}
/// Fetch a URL and return the response body text.
async fn request(url: String) -> Result<String, FieldError> {
Ok(reqwest::get(&url).await?.text().await?)
2019-08-19 15:40:22 -05:00
}
}
type Schema = RootNode<'static, Query, EmptyMutation<Context>, EmptySubscription<Context>>;
2019-08-19 15:40:22 -05:00
fn schema() -> Schema {
Schema::new(
Query,
EmptyMutation::<Context>::new(),
EmptySubscription::<Context>::new(),
)
2019-08-19 15:40:22 -05:00
}
#[tokio::main]
async fn main() {
std::env::set_var("RUST_LOG", "warp_async");
2019-08-19 15:40:22 -05:00
env_logger::init();
let log = warp::log("warp_server");
let homepage = warp::path::end().map(|| {
Response::builder()
.header("content-type", "text/html")
.body(format!(
"<html><h1>juniper_warp</h1><div>visit <a href=\"/graphiql\">/graphiql</a></html>"
))
});
log::info!("Listening on 127.0.0.1:8080");
let state = warp::any().map(|| Context);
let graphql_filter = juniper_warp::make_graphql_filter(schema(), state.boxed());
2019-08-19 15:40:22 -05:00
warp::serve(
warp::get()
2019-08-19 15:40:22 -05:00
.and(warp::path("graphiql"))
.and(juniper_warp::graphiql_filter("/graphql", None))
2019-08-19 15:40:22 -05:00
.or(homepage)
.or(warp::path("graphql").and(graphql_filter))
.with(log),
)
.run(([127, 0, 0, 1], 8080))
.await
2019-08-19 15:40:22 -05:00
}