async-graphql/src/registry.rs

705 lines
22 KiB
Rust
Raw Normal View History

use crate::parser::query::Type as ParsedType;
2020-03-21 01:32:13 +00:00
use crate::validators::InputValueValidator;
2020-04-09 14:03:09 +00:00
use crate::{model, Any, Type as _, Value};
use indexmap::map::IndexMap;
use indexmap::set::IndexSet;
use itertools::Itertools;
2020-03-06 15:58:43 +00:00
use std::collections::{HashMap, HashSet};
2020-04-09 14:03:09 +00:00
use std::fmt::Write;
2020-03-21 01:32:13 +00:00
use std::sync::Arc;
2020-03-08 12:35:36 +00:00
fn parse_non_null(type_name: &str) -> Option<&str> {
2020-03-21 01:32:13 +00:00
if type_name.ends_with('!') {
2020-03-08 12:35:36 +00:00
Some(&type_name[..type_name.len() - 1])
} else {
None
}
}
fn parse_list(type_name: &str) -> Option<&str> {
2020-03-21 01:32:13 +00:00
if type_name.starts_with('[') {
2020-03-08 12:35:36 +00:00
Some(&type_name[1..type_name.len() - 1])
} else {
None
}
}
2020-04-05 08:00:26 +00:00
#[derive(Clone, Copy, PartialEq, Debug)]
pub enum MetaTypeName<'a> {
2020-03-08 12:35:36 +00:00
List(&'a str),
NonNull(&'a str),
2020-03-10 06:14:09 +00:00
Named(&'a str),
2020-03-08 12:35:36 +00:00
}
impl<'a> std::fmt::Display for MetaTypeName<'a> {
2020-04-05 08:00:26 +00:00
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
match self {
MetaTypeName::Named(name) => write!(f, "{}", name),
MetaTypeName::NonNull(name) => write!(f, "{}!", name),
MetaTypeName::List(name) => write!(f, "[{}]", name),
2020-04-05 08:00:26 +00:00
}
}
}
impl<'a> MetaTypeName<'a> {
pub fn create(type_name: &str) -> MetaTypeName {
2020-03-08 12:35:36 +00:00
if let Some(type_name) = parse_non_null(type_name) {
MetaTypeName::NonNull(type_name)
2020-03-08 12:35:36 +00:00
} else if let Some(type_name) = parse_list(type_name) {
MetaTypeName::List(type_name)
2020-03-08 12:35:36 +00:00
} else {
MetaTypeName::Named(type_name)
2020-03-08 12:35:36 +00:00
}
}
2020-03-09 10:05:52 +00:00
2020-04-06 10:30:38 +00:00
pub fn concrete_typename(type_name: &str) -> &str {
match MetaTypeName::create(type_name) {
MetaTypeName::List(type_name) => Self::concrete_typename(type_name),
MetaTypeName::NonNull(type_name) => Self::concrete_typename(type_name),
MetaTypeName::Named(type_name) => type_name,
2020-03-09 10:05:52 +00:00
}
}
2020-03-10 12:35:25 +00:00
pub fn is_non_null(&self) -> bool {
if let MetaTypeName::NonNull(_) = self {
2020-03-10 12:35:25 +00:00
true
} else {
false
}
}
2020-04-05 08:00:26 +00:00
pub fn unwrap_non_null(&self) -> Self {
match self {
MetaTypeName::NonNull(ty) => MetaTypeName::create(ty),
2020-04-05 08:14:22 +00:00
_ => *self,
2020-04-05 08:00:26 +00:00
}
}
pub fn is_subtype(&self, sub: &MetaTypeName<'_>) -> bool {
2020-04-05 08:00:26 +00:00
match (self, sub) {
(MetaTypeName::NonNull(super_type), MetaTypeName::NonNull(sub_type))
| (MetaTypeName::Named(super_type), MetaTypeName::NonNull(sub_type)) => {
MetaTypeName::create(super_type).is_subtype(&MetaTypeName::create(sub_type))
2020-04-05 08:00:26 +00:00
}
(MetaTypeName::Named(super_type), MetaTypeName::Named(sub_type)) => {
super_type == sub_type
}
(MetaTypeName::List(super_type), MetaTypeName::List(sub_type)) => {
MetaTypeName::create(super_type).is_subtype(&MetaTypeName::create(sub_type))
2020-04-05 08:00:26 +00:00
}
_ => false,
}
}
2020-03-08 12:35:36 +00:00
}
2020-03-19 09:20:12 +00:00
#[derive(Clone)]
pub struct MetaInputValue {
2020-03-03 03:48:00 +00:00
pub name: &'static str,
pub description: Option<&'static str>,
pub ty: String,
pub default_value: Option<String>,
2020-03-22 01:34:32 +00:00
pub validator: Option<Arc<dyn InputValueValidator>>,
2020-03-03 03:48:00 +00:00
}
2020-03-02 11:25:21 +00:00
2020-03-19 09:20:12 +00:00
#[derive(Clone)]
pub struct MetaField {
2020-03-19 09:20:12 +00:00
pub name: String,
2020-03-03 03:48:00 +00:00
pub description: Option<&'static str>,
pub args: IndexMap<&'static str, MetaInputValue>,
2020-03-03 03:48:00 +00:00
pub ty: String,
pub deprecation: Option<&'static str>,
2020-03-22 08:45:59 +00:00
pub cache_control: CacheControl,
2020-04-09 14:03:09 +00:00
pub external: bool,
pub requires: Option<&'static str>,
pub provides: Option<&'static str>,
2020-03-03 03:48:00 +00:00
}
2020-03-02 00:24:49 +00:00
2020-03-19 09:20:12 +00:00
#[derive(Clone)]
pub struct MetaEnumValue {
2020-03-03 03:48:00 +00:00
pub name: &'static str,
pub description: Option<&'static str>,
pub deprecation: Option<&'static str>,
}
2020-03-02 00:24:49 +00:00
2020-03-22 08:45:59 +00:00
/// Cache control values
///
/// # Examples
///
/// ```rust
/// use async_graphql::*;
///
/// struct QueryRoot;
///
/// #[Object(cache_control(max_age = 60))]
/// impl QueryRoot {
/// #[field(cache_control(max_age = 30))]
/// async fn value1(&self) -> i32 {
2020-04-14 01:53:17 +00:00
/// 0
2020-03-22 08:45:59 +00:00
/// }
///
/// #[field(cache_control(private))]
/// async fn value2(&self) -> i32 {
2020-04-14 01:53:17 +00:00
/// 0
2020-03-22 08:45:59 +00:00
/// }
/// }
///
/// #[async_std::main]
/// async fn main() {
/// let schema = Schema::new(QueryRoot, EmptyMutation, EmptySubscription);
2020-04-14 01:53:17 +00:00
/// assert_eq!(schema.execute("{ value1 }").await.unwrap().cache_control, CacheControl { public: true, max_age: 30 });
/// assert_eq!(schema.execute("{ value2 }").await.unwrap().cache_control, CacheControl { public: false, max_age: 60 });
/// assert_eq!(schema.execute("{ value1 value2 }").await.unwrap().cache_control, CacheControl { public: false, max_age: 30 });
2020-03-22 08:45:59 +00:00
/// }
/// ```
#[derive(Clone, Copy, PartialEq, Eq, Debug)]
pub struct CacheControl {
/// Scope is public, default is true
pub public: bool,
/// Cache max age, default is 0.
pub max_age: usize,
}
impl Default for CacheControl {
fn default() -> Self {
Self {
public: true,
max_age: 0,
}
}
}
impl CacheControl {
/// Get 'Cache-Control' header value.
pub fn value(&self) -> Option<String> {
if self.max_age > 0 {
if !self.public {
Some(format!("max-age={}, private", self.max_age))
} else {
Some(format!("max-age={}", self.max_age))
}
} else {
None
}
}
}
impl CacheControl {
2020-03-24 10:54:22 +00:00
pub(crate) fn merge(&mut self, other: &CacheControl) {
self.public = self.public && other.public;
self.max_age = if self.max_age == 0 {
other.max_age
} else if other.max_age == 0 {
self.max_age
} else {
self.max_age.min(other.max_age)
};
2020-03-22 08:45:59 +00:00
}
}
pub enum MetaType {
2020-03-03 11:15:18 +00:00
Scalar {
name: String,
description: Option<&'static str>,
2020-03-08 12:35:36 +00:00
is_valid: fn(value: &Value) -> bool,
2020-03-03 11:15:18 +00:00
},
2020-03-03 03:48:00 +00:00
Object {
2020-03-19 09:20:12 +00:00
name: String,
2020-03-03 11:15:18 +00:00
description: Option<&'static str>,
fields: IndexMap<String, MetaField>,
2020-03-22 08:45:59 +00:00
cache_control: CacheControl,
2020-04-09 14:03:09 +00:00
extends: bool,
keys: Option<Vec<String>>,
2020-03-03 03:48:00 +00:00
},
Interface {
2020-03-19 09:20:12 +00:00
name: String,
2020-03-03 11:15:18 +00:00
description: Option<&'static str>,
fields: IndexMap<String, MetaField>,
possible_types: IndexSet<String>,
2020-04-09 14:03:09 +00:00
extends: bool,
keys: Option<Vec<String>>,
2020-03-03 03:48:00 +00:00
},
Union {
2020-03-19 09:20:12 +00:00
name: String,
2020-03-03 11:15:18 +00:00
description: Option<&'static str>,
possible_types: IndexSet<String>,
2020-03-03 03:48:00 +00:00
},
Enum {
2020-03-19 09:20:12 +00:00
name: String,
2020-03-03 11:15:18 +00:00
description: Option<&'static str>,
enum_values: IndexMap<&'static str, MetaEnumValue>,
2020-03-03 03:48:00 +00:00
},
InputObject {
2020-03-19 09:20:12 +00:00
name: String,
2020-03-03 11:15:18 +00:00
description: Option<&'static str>,
input_fields: IndexMap<String, MetaInputValue>,
2020-03-03 03:48:00 +00:00
},
}
impl MetaType {
pub fn field_by_name(&self, name: &str) -> Option<&MetaField> {
2020-03-08 12:35:36 +00:00
self.fields().and_then(|fields| fields.get(name))
}
pub fn fields(&self) -> Option<&IndexMap<String, MetaField>> {
2020-03-08 12:35:36 +00:00
match self {
MetaType::Object { fields, .. } => Some(&fields),
MetaType::Interface { fields, .. } => Some(&fields),
2020-03-08 12:35:36 +00:00
_ => None,
}
}
pub fn name(&self) -> &str {
match self {
MetaType::Scalar { name, .. } => &name,
MetaType::Object { name, .. } => name,
MetaType::Interface { name, .. } => name,
MetaType::Union { name, .. } => name,
MetaType::Enum { name, .. } => name,
MetaType::InputObject { name, .. } => name,
2020-03-08 12:35:36 +00:00
}
}
2020-03-09 04:08:50 +00:00
pub fn is_composite(&self) -> bool {
match self {
MetaType::Object { .. } => true,
MetaType::Interface { .. } => true,
MetaType::Union { .. } => true,
2020-03-09 04:08:50 +00:00
_ => false,
}
}
2020-04-05 08:00:26 +00:00
pub fn is_abstract(&self) -> bool {
match self {
MetaType::Interface { .. } => true,
MetaType::Union { .. } => true,
2020-04-05 08:00:26 +00:00
_ => false,
}
}
2020-03-09 04:08:50 +00:00
pub fn is_leaf(&self) -> bool {
match self {
MetaType::Enum { .. } => true,
MetaType::Scalar { .. } => true,
2020-03-09 04:08:50 +00:00
_ => false,
}
}
2020-03-10 06:14:09 +00:00
pub fn is_input(&self) -> bool {
match self {
MetaType::Enum { .. } => true,
MetaType::Scalar { .. } => true,
MetaType::InputObject { .. } => true,
2020-03-10 06:14:09 +00:00
_ => false,
}
}
2020-03-10 10:07:47 +00:00
pub fn is_possible_type(&self, type_name: &str) -> bool {
match self {
MetaType::Interface { possible_types, .. } => possible_types.contains(type_name),
MetaType::Union { possible_types, .. } => possible_types.contains(type_name),
MetaType::Object { name, .. } => name == type_name,
2020-03-10 10:07:47 +00:00
_ => false,
}
}
2020-04-05 08:00:26 +00:00
pub fn possible_types(&self) -> Option<&IndexSet<String>> {
2020-04-05 08:00:26 +00:00
match self {
MetaType::Interface { possible_types, .. } => Some(possible_types),
MetaType::Union { possible_types, .. } => Some(possible_types),
2020-04-05 08:00:26 +00:00
_ => None,
}
}
pub fn type_overlap(&self, ty: &MetaType) -> bool {
if self as *const MetaType == ty as *const MetaType {
2020-04-05 08:00:26 +00:00
return true;
}
match (self.is_abstract(), ty.is_abstract()) {
(true, true) => self
.possible_types()
.iter()
.copied()
.flatten()
.any(|type_name| ty.is_possible_type(type_name)),
(true, false) => self.is_possible_type(ty.name()),
(false, true) => ty.is_possible_type(self.name()),
(false, false) => false,
}
}
2020-03-08 12:35:36 +00:00
}
pub struct MetaDirective {
pub name: &'static str,
pub description: Option<&'static str>,
pub locations: Vec<model::__DirectiveLocation>,
pub args: IndexMap<&'static str, MetaInputValue>,
}
pub struct Registry {
pub types: HashMap<String, MetaType>,
pub directives: HashMap<String, MetaDirective>,
2020-03-06 15:58:43 +00:00
pub implements: HashMap<String, HashSet<String>>,
2020-03-08 12:35:36 +00:00
pub query_type: String,
pub mutation_type: Option<String>,
2020-03-17 09:26:59 +00:00
pub subscription_type: Option<String>,
}
impl Registry {
pub fn create_type<T: crate::Type, F: FnMut(&mut Registry) -> MetaType>(
2020-03-19 09:20:12 +00:00
&mut self,
mut f: F,
) -> String {
let name = T::type_name();
if !self.types.contains_key(name.as_ref()) {
2020-03-05 13:34:31 +00:00
self.types.insert(
name.to_string(),
MetaType::Object {
2020-03-19 09:20:12 +00:00
name: "".to_string(),
2020-03-05 13:34:31 +00:00
description: None,
2020-03-08 12:35:36 +00:00
fields: Default::default(),
2020-03-22 08:45:59 +00:00
cache_control: Default::default(),
2020-04-09 14:03:09 +00:00
extends: false,
keys: None,
2020-03-05 13:34:31 +00:00
},
);
let ty = f(self);
self.types.insert(name.to_string(), ty);
}
T::qualified_type_name()
}
pub fn add_directive(&mut self, directive: MetaDirective) {
2020-03-08 12:35:36 +00:00
self.directives
.insert(directive.name.to_string(), directive);
}
2020-03-06 15:58:43 +00:00
pub fn add_implements(&mut self, ty: &str, interface: &str) {
self.implements
.entry(ty.to_string())
.and_modify(|interfaces| {
interfaces.insert(interface.to_string());
})
.or_insert({
let mut interfaces = HashSet::new();
interfaces.insert(interface.to_string());
interfaces
});
}
2020-03-08 12:35:36 +00:00
2020-04-09 14:03:09 +00:00
pub fn add_keys(&mut self, ty: &str, keys: &str) {
let all_keys = match self.types.get_mut(ty) {
Some(MetaType::Object { keys: all_keys, .. }) => all_keys,
Some(MetaType::Interface { keys: all_keys, .. }) => all_keys,
2020-04-09 14:03:09 +00:00
_ => return,
};
if let Some(all_keys) = all_keys {
all_keys.push(keys.to_string());
} else {
*all_keys = Some(vec![keys.to_string()]);
}
}
pub fn concrete_type_by_name(&self, type_name: &str) -> Option<&MetaType> {
self.types.get(MetaTypeName::concrete_typename(type_name))
2020-03-08 12:35:36 +00:00
}
2020-03-14 03:46:20 +00:00
pub fn concrete_type_by_parsed_type(&self, query_type: &ParsedType) -> Option<&MetaType> {
2020-03-14 03:46:20 +00:00
match query_type {
ParsedType::NonNull(ty) => self.concrete_type_by_parsed_type(ty),
ParsedType::List(ty) => self.concrete_type_by_parsed_type(ty),
2020-05-16 13:14:26 +00:00
ParsedType::Named(name) => self.types.get(name.as_str()),
2020-03-14 03:46:20 +00:00
}
}
2020-04-09 14:03:09 +00:00
fn create_federation_fields<'a, I: Iterator<Item = &'a MetaField>>(sdl: &mut String, it: I) {
2020-04-09 14:03:09 +00:00
for field in it {
2020-04-10 02:20:43 +00:00
if field.name.starts_with("__") {
continue;
}
if field.name == "_service" || field.name == "_entities" {
continue;
}
if !field.args.is_empty() {
write!(
sdl,
"\t{}({}): {}",
field.name,
field
.args
.values()
.map(|arg| federation_input_value(arg))
.join(""),
field.ty
)
.ok();
} else {
write!(sdl, "\t{}: {}", field.name, field.ty).ok();
}
2020-04-09 14:03:09 +00:00
if field.external {
write!(sdl, " @external").ok();
}
if let Some(requires) = field.requires {
write!(sdl, " @requires(fields: \"{}\")", requires).ok();
}
if let Some(provides) = field.provides {
write!(sdl, " @provides(fields: \"{}\")", provides).ok();
}
writeln!(sdl).ok();
2020-04-09 14:03:09 +00:00
}
}
fn create_federation_type(&self, ty: &MetaType, sdl: &mut String) {
2020-04-09 14:03:09 +00:00
match ty {
MetaType::Scalar { name, .. } => {
const SYSTEM_SCALARS: &[&str] = &["Int", "Float", "String", "Boolean", "ID", "Any"];
if !SYSTEM_SCALARS.contains(&name.as_str()) {
writeln!(sdl, "scalar {}", name).ok();
}
}
MetaType::Object {
2020-04-09 14:03:09 +00:00
name,
fields,
extends,
keys,
..
} => {
if name == &self.query_type && fields.len() == 4 {
2020-04-09 14:03:09 +00:00
// Is empty query root, only __schema, __type, _service, _entities fields
return;
}
if let Some(subscription_type) = &self.subscription_type {
if name == subscription_type {
return;
}
}
2020-04-09 14:03:09 +00:00
if *extends {
write!(sdl, "extend ").ok();
}
write!(sdl, "type {} ", name).ok();
if let Some(implements) = self.implements.get(name) {
if !implements.is_empty() {
write!(sdl, "implements {}", implements.iter().join(" & ")).ok();
}
}
2020-04-09 14:03:09 +00:00
if let Some(keys) = keys {
for key in keys {
write!(sdl, "@key(fields: \"{}\") ", key).ok();
}
}
writeln!(sdl, "{{").ok();
2020-04-09 14:03:09 +00:00
Self::create_federation_fields(sdl, fields.values());
writeln!(sdl, "}}").ok();
2020-04-09 14:03:09 +00:00
}
MetaType::Interface {
2020-04-09 14:03:09 +00:00
name,
fields,
extends,
keys,
..
} => {
if *extends {
write!(sdl, "extend ").ok();
}
write!(sdl, "interface {} ", name).ok();
if let Some(keys) = keys {
for key in keys {
write!(sdl, "@key(fields: \"{}\") ", key).ok();
}
}
writeln!(sdl, "{{").ok();
2020-04-09 14:03:09 +00:00
Self::create_federation_fields(sdl, fields.values());
writeln!(sdl, "}}").ok();
2020-04-09 14:03:09 +00:00
}
MetaType::Enum {
name, enum_values, ..
} => {
write!(sdl, "enum {} ", name).ok();
writeln!(sdl, "{{").ok();
for value in enum_values.values() {
writeln!(sdl, "{}", value.name).ok();
}
writeln!(sdl, "}}").ok();
}
MetaType::InputObject {
name, input_fields, ..
} => {
write!(sdl, "input {} ", name).ok();
writeln!(sdl, "{{").ok();
for field in input_fields.values() {
writeln!(sdl, "{}", federation_input_value(&field)).ok();
}
writeln!(sdl, "}}").ok();
}
MetaType::Union {
name,
possible_types,
..
} => {
writeln!(
sdl,
"union {} = {}",
name,
possible_types.iter().join(" | ")
)
.ok();
}
2020-04-09 14:03:09 +00:00
}
}
pub fn create_federation_sdl(&self) -> String {
let mut sdl = String::new();
for ty in self.types.values() {
if ty.name().starts_with("__") {
continue;
}
const FEDERATION_TYPES: &[&str] = &["_Any", "_Entity", "_Service"];
if FEDERATION_TYPES.contains(&ty.name()) {
continue;
}
2020-04-09 14:03:09 +00:00
self.create_federation_type(ty, &mut sdl);
}
sdl
}
fn has_entities(&self) -> bool {
self.types.values().any(|ty| match ty {
MetaType::Object {
2020-04-09 14:03:09 +00:00
keys: Some(keys), ..
} => !keys.is_empty(),
MetaType::Interface {
2020-04-09 14:03:09 +00:00
keys: Some(keys), ..
} => !keys.is_empty(),
_ => false,
})
}
fn create_entity_type(&mut self) {
let possible_types = self
.types
.values()
.filter_map(|ty| match ty {
MetaType::Object {
2020-04-09 14:03:09 +00:00
name,
keys: Some(keys),
..
} if !keys.is_empty() => Some(name.clone()),
MetaType::Interface {
2020-04-09 14:03:09 +00:00
name,
keys: Some(keys),
..
} if !keys.is_empty() => Some(name.clone()),
_ => None,
})
.collect();
self.types.insert(
"_Entity".to_string(),
MetaType::Union {
2020-04-09 14:03:09 +00:00
name: "_Entity".to_string(),
description: None,
possible_types,
},
);
}
pub fn create_federation_types(&mut self) {
if !self.has_entities() {
return;
}
Any::create_type_info(self);
self.types.insert(
"_Service".to_string(),
MetaType::Object {
2020-04-09 14:03:09 +00:00
name: "_Service".to_string(),
description: None,
fields: {
let mut fields = IndexMap::new();
2020-04-09 14:03:09 +00:00
fields.insert(
"sdl".to_string(),
MetaField {
2020-04-09 14:03:09 +00:00
name: "sdl".to_string(),
description: None,
args: Default::default(),
ty: "String".to_string(),
deprecation: None,
cache_control: Default::default(),
external: false,
requires: None,
provides: None,
},
);
fields
},
cache_control: Default::default(),
extends: false,
keys: None,
},
);
self.create_entity_type();
let query_root = self.types.get_mut(&self.query_type).unwrap();
if let MetaType::Object { fields, .. } = query_root {
2020-04-09 14:03:09 +00:00
fields.insert(
"_service".to_string(),
MetaField {
2020-04-09 14:03:09 +00:00
name: "_service".to_string(),
description: None,
args: Default::default(),
ty: "_Service!".to_string(),
deprecation: None,
cache_control: Default::default(),
external: false,
requires: None,
provides: None,
},
);
fields.insert(
"_entities".to_string(),
MetaField {
2020-04-09 14:03:09 +00:00
name: "_entities".to_string(),
description: None,
args: {
let mut args = IndexMap::new();
2020-04-09 14:03:09 +00:00
args.insert(
"representations",
MetaInputValue {
2020-04-09 14:03:09 +00:00
name: "representations",
description: None,
ty: "[_Any!]!".to_string(),
default_value: None,
validator: None,
},
);
args
},
ty: "[_Entity]!".to_string(),
deprecation: None,
cache_control: Default::default(),
external: false,
requires: None,
provides: None,
},
);
}
}
2020-03-02 00:24:49 +00:00
}
fn federation_input_value(input_value: &MetaInputValue) -> String {
if let Some(default_value) = &input_value.default_value {
format!(
"{}: {} = {}",
input_value.name, input_value.ty, default_value
)
} else {
format!("{}: {}", input_value.name, input_value.ty)
}
}