use crate::domain::handler::BackendHandler; use juniper::{graphql_object, FieldResult, GraphQLInputObject}; use serde::{Deserialize, Serialize}; use std::convert::TryInto; type DomainRequestFilter = crate::domain::handler::RequestFilter; type DomainUser = crate::domain::handler::User; use super::api::Context; #[derive(PartialEq, Eq, Debug, GraphQLInputObject)] /// A filter for requests, specifying a boolean expression based on field constraints. Only one of /// the fields can be set at a time. pub struct RequestFilter { any: Option>, all: Option>, not: Option>, eq: Option, } impl TryInto for RequestFilter { type Error = String; fn try_into(self) -> Result { let mut field_count = 0; if self.any.is_some() { field_count += 1; } if self.all.is_some() { field_count += 1; } if self.not.is_some() { field_count += 1; } if self.eq.is_some() { field_count += 1; } if field_count == 0 { return Err("No field specified in request filter".to_string()); } if field_count > 1 { return Err("Multiple fields specified in request filter".to_string()); } if let Some(e) = self.eq { return Ok(DomainRequestFilter::Equality(e.field, e.value)); } if let Some(c) = self.any { return Ok(DomainRequestFilter::Or( c.into_iter() .map(TryInto::try_into) .collect::, String>>()?, )); } if let Some(c) = self.all { return Ok(DomainRequestFilter::And( c.into_iter() .map(TryInto::try_into) .collect::, String>>()?, )); } if let Some(c) = self.not { return Ok(DomainRequestFilter::Not(Box::new((*c).try_into()?))); } unreachable!(); } } #[derive(PartialEq, Eq, Debug, GraphQLInputObject)] pub struct EqualityConstraint { field: String, value: String, } #[derive(PartialEq, Eq, Debug)] /// The top-level GraphQL query type. pub struct Query { _phantom: std::marker::PhantomData>, } impl Query { pub fn new() -> Self { Self { _phantom: std::marker::PhantomData, } } } #[graphql_object(context = Context)] impl Query { fn api_version() -> &'static str { "1.0" } pub async fn user(context: &Context, user_id: String) -> FieldResult> { if !context.validation_result.can_access(&user_id) { return Err("Unauthorized access to user data".into()); } Ok(context .handler .get_user_details(&user_id) .await .map(Into::into)?) } async fn users( context: &Context, #[graphql(name = "where")] filters: Option, ) -> FieldResult>> { if !context.validation_result.is_admin { return Err("Unauthorized access to user list".into()); } Ok(context .handler .list_users(filters.map(TryInto::try_into).transpose()?) .await .map(|v| v.into_iter().map(Into::into).collect())?) } } #[derive(PartialEq, Eq, Debug, Serialize, Deserialize)] /// Represents a single user. pub struct User { user: DomainUser, _phantom: std::marker::PhantomData>, } impl Default for User { fn default() -> Self { Self { user: DomainUser::default(), _phantom: std::marker::PhantomData, } } } #[graphql_object(context = Context)] impl User { fn id(&self) -> &str { &self.user.user_id } fn email(&self) -> &str { &self.user.email } fn display_name(&self) -> &str { &self.user.display_name } fn first_name(&self) -> &str { &self.user.first_name } fn last_name(&self) -> &str { &self.user.last_name } fn creation_date(&self) -> chrono::DateTime { self.user.creation_date } /// The groups to which this user belongs. async fn groups(&self, context: &Context) -> FieldResult>> { Ok(context .handler .get_user_groups(&self.user.user_id) .await .map(|set| set.into_iter().map(Into::into).collect())?) } } impl From for User { fn from(user: DomainUser) -> Self { Self { user, _phantom: std::marker::PhantomData, } } } #[derive(PartialEq, Eq, Debug, Serialize, Deserialize)] /// Represents a single group. pub struct Group { group_id: String, _phantom: std::marker::PhantomData>, } #[graphql_object(context = Context)] impl Group { fn id(&self) -> String { self.group_id.clone() } /// The groups to which this user belongs. async fn users(&self, context: &Context) -> FieldResult>> { if !context.validation_result.is_admin { return Err("Unauthorized access to group data".into()); } unimplemented!() } } impl From for Group { fn from(group_id: String) -> Self { Self { group_id, _phantom: std::marker::PhantomData, } } } #[cfg(test)] mod tests { use super::*; use crate::{domain::handler::MockTestBackendHandler, infra::auth_service::ValidationResults}; use juniper::{ execute, graphql_value, DefaultScalarValue, EmptyMutation, EmptySubscription, GraphQLType, RootNode, Variables, }; use mockall::predicate::eq; use std::collections::HashSet; fn schema<'q, C, Q>(query_root: Q) -> RootNode<'q, Q, EmptyMutation, EmptySubscription> where Q: GraphQLType + 'q, { RootNode::new( query_root, EmptyMutation::::new(), EmptySubscription::::new(), ) } #[tokio::test] async fn get_user_by_id() { const QUERY: &str = r#"{ user(userId: "bob") { id email groups { id } } }"#; let mut mock = MockTestBackendHandler::new(); mock.expect_get_user_details() .with(eq("bob")) .return_once(|_| { Ok(DomainUser { user_id: "bob".to_string(), email: "bob@bobbers.on".to_string(), ..Default::default() }) }); let mut groups = HashSet::::new(); groups.insert("Bobbersons".to_string()); mock.expect_get_user_groups() .with(eq("bob")) .return_once(|_| Ok(groups)); let context = Context:: { handler: Box::new(mock), validation_result: ValidationResults::admin(), }; let schema = schema(Query::::new()); assert_eq!( execute(QUERY, None, &schema, &Variables::new(), &context).await, Ok(( graphql_value!( { "user": { "id": "bob", "email": "bob@bobbers.on", "groups": [{"id": "Bobbersons"}] } }), vec![] )) ); } #[tokio::test] async fn list_users() { const QUERY: &str = r#"{ users(filters: { any: [ {eq: { field: "id" value: "bob" }}, {eq: { field: "email" value: "robert@bobbers.on" }} ]}) { id email } }"#; let mut mock = MockTestBackendHandler::new(); use crate::domain::handler::RequestFilter; mock.expect_list_users() .with(eq(Some(RequestFilter::Or(vec![ RequestFilter::Equality("id".to_string(), "bob".to_string()), RequestFilter::Equality("email".to_string(), "robert@bobbers.on".to_string()), ])))) .return_once(|_| { Ok(vec![ DomainUser { user_id: "bob".to_string(), email: "bob@bobbers.on".to_string(), ..Default::default() }, DomainUser { user_id: "robert".to_string(), email: "robert@bobbers.on".to_string(), ..Default::default() }, ]) }); let context = Context:: { handler: Box::new(mock), validation_result: ValidationResults::admin(), }; let schema = schema(Query::::new()); assert_eq!( execute(QUERY, None, &schema, &Variables::new(), &context).await, Ok(( graphql_value!( { "users": [ { "id": "bob", "email": "bob@bobbers.on" }, { "id": "robert", "email": "robert@bobbers.on" }, ] }), vec![] )) ); } }