api-macros: Move some helper functions from util to api::parse

This commit is contained in:
Jonas Platte 2021-04-05 12:14:58 +02:00
parent 1dd6a3870a
commit e8e0ceb17d
No known key found for this signature in database
GPG Key ID: CC154DE0E30B7C67
2 changed files with 174 additions and 182 deletions

View File

@ -1,10 +1,12 @@
use std::mem; use std::{collections::BTreeSet, mem};
use syn::{ use syn::{
braced, braced,
parse::{Parse, ParseStream}, parse::{Parse, ParseStream},
spanned::Spanned, spanned::Spanned,
Attribute, Field, Token, AngleBracketedGenericArguments, Attribute, BoundLifetimes, Field, GenericArgument, Ident,
Lifetime, LifetimeDef, ParenthesizedGenericArguments, PathArguments, Token, Type, TypeArray,
TypeBareFn, TypeGroup, TypeParen, TypePath, TypePtr, TypeReference, TypeSlice, TypeTuple,
}; };
use super::{ use super::{
@ -102,7 +104,7 @@ impl Parse for Request {
field_kind = Some(match meta { field_kind = Some(match meta {
Meta::Word(ident) => match &ident.to_string()[..] { Meta::Word(ident) => match &ident.to_string()[..] {
attr @ "body" | attr @ "raw_body" => util::req_res_meta_word( attr @ "body" | attr @ "raw_body" => req_res_meta_word(
attr, attr,
&field, &field,
&mut newtype_body_field, &mut newtype_body_field,
@ -135,36 +137,33 @@ impl Parse for Request {
)); ));
} }
}, },
Meta::NameValue(MetaNameValue { name, value }) => util::req_res_name_value( Meta::NameValue(MetaNameValue { name, value }) => {
name, req_res_name_value(name, value, &mut header, RequestFieldKind::Header)?
value, }
&mut header,
RequestFieldKind::Header,
)?,
}); });
} }
match field_kind.unwrap_or(RequestFieldKind::Body) { match field_kind.unwrap_or(RequestFieldKind::Body) {
RequestFieldKind::Header => { RequestFieldKind::Header => {
util::collect_lifetime_ident(&mut lifetimes.header, &field.ty) collect_lifetime_ident(&mut lifetimes.header, &field.ty)
} }
RequestFieldKind::Body => { RequestFieldKind::Body => {
util::collect_lifetime_ident(&mut lifetimes.body, &field.ty) collect_lifetime_ident(&mut lifetimes.body, &field.ty)
} }
RequestFieldKind::NewtypeBody => { RequestFieldKind::NewtypeBody => {
util::collect_lifetime_ident(&mut lifetimes.body, &field.ty) collect_lifetime_ident(&mut lifetimes.body, &field.ty)
} }
RequestFieldKind::NewtypeRawBody => { RequestFieldKind::NewtypeRawBody => {
util::collect_lifetime_ident(&mut lifetimes.body, &field.ty) collect_lifetime_ident(&mut lifetimes.body, &field.ty)
} }
RequestFieldKind::Path => { RequestFieldKind::Path => {
util::collect_lifetime_ident(&mut lifetimes.path, &field.ty) collect_lifetime_ident(&mut lifetimes.path, &field.ty)
} }
RequestFieldKind::Query => { RequestFieldKind::Query => {
util::collect_lifetime_ident(&mut lifetimes.query, &field.ty) collect_lifetime_ident(&mut lifetimes.query, &field.ty)
} }
RequestFieldKind::QueryMap => { RequestFieldKind::QueryMap => {
util::collect_lifetime_ident(&mut lifetimes.query, &field.ty) collect_lifetime_ident(&mut lifetimes.query, &field.ty)
} }
} }
@ -212,7 +211,7 @@ impl Parse for Response {
.parse_terminated::<Field, Token![,]>(Field::parse_named)? .parse_terminated::<Field, Token![,]>(Field::parse_named)?
.into_iter() .into_iter()
.map(|f| { .map(|f| {
if util::has_lifetime(&f.ty) { if has_lifetime(&f.ty) {
Err(syn::Error::new( Err(syn::Error::new(
f.ident.span(), f.ident.span(),
"Lifetimes on Response fields cannot be supported until GAT are stable", "Lifetimes on Response fields cannot be supported until GAT are stable",
@ -249,7 +248,7 @@ impl Parse for Response {
field_kind = Some(match meta { field_kind = Some(match meta {
Meta::Word(ident) => match &ident.to_string()[..] { Meta::Word(ident) => match &ident.to_string()[..] {
s @ "body" | s @ "raw_body" => util::req_res_meta_word( s @ "body" | s @ "raw_body" => req_res_meta_word(
s, s,
&field, &field,
&mut newtype_body_field, &mut newtype_body_field,
@ -263,12 +262,9 @@ impl Parse for Response {
)); ));
} }
}, },
Meta::NameValue(MetaNameValue { name, value }) => util::req_res_name_value( Meta::NameValue(MetaNameValue { name, value }) => {
name, req_res_name_value(name, value, &mut header, ResponseFieldKind::Header)?
value, }
&mut header,
ResponseFieldKind::Header,
)?,
}); });
} }
@ -294,3 +290,156 @@ impl Parse for Response {
Ok(Self { attributes, fields, ruma_api_import: util::import_ruma_api() }) Ok(Self { attributes, fields, ruma_api_import: util::import_ruma_api() })
} }
} }
fn has_lifetime(ty: &Type) -> bool {
match ty {
Type::Path(TypePath { path, .. }) => {
let mut found = false;
for seg in &path.segments {
match &seg.arguments {
PathArguments::AngleBracketed(AngleBracketedGenericArguments {
args, ..
}) => {
for gen in args {
if let GenericArgument::Type(ty) = gen {
if has_lifetime(&ty) {
found = true;
};
} else if let GenericArgument::Lifetime(_) = gen {
return true;
}
}
}
PathArguments::Parenthesized(ParenthesizedGenericArguments {
inputs, ..
}) => {
for ty in inputs {
if has_lifetime(ty) {
found = true;
}
}
}
_ => {}
}
}
found
}
Type::Reference(TypeReference { elem, lifetime, .. }) => {
if lifetime.is_some() {
true
} else {
has_lifetime(&elem)
}
}
Type::Tuple(TypeTuple { elems, .. }) => {
let mut found = false;
for ty in elems {
if has_lifetime(ty) {
found = true;
}
}
found
}
Type::Paren(TypeParen { elem, .. }) => has_lifetime(&elem),
Type::Group(TypeGroup { elem, .. }) => has_lifetime(&*elem),
Type::Ptr(TypePtr { elem, .. }) => has_lifetime(&*elem),
Type::Slice(TypeSlice { elem, .. }) => has_lifetime(&*elem),
Type::Array(TypeArray { elem, .. }) => has_lifetime(&*elem),
Type::BareFn(TypeBareFn { lifetimes: Some(BoundLifetimes { .. }), .. }) => true,
_ => false,
}
}
fn collect_lifetime_ident(lifetimes: &mut BTreeSet<Lifetime>, ty: &Type) {
match ty {
Type::Path(TypePath { path, .. }) => {
for seg in &path.segments {
match &seg.arguments {
PathArguments::AngleBracketed(AngleBracketedGenericArguments {
args, ..
}) => {
for gen in args {
if let GenericArgument::Type(ty) = gen {
collect_lifetime_ident(lifetimes, &ty);
} else if let GenericArgument::Lifetime(lt) = gen {
lifetimes.insert(lt.clone());
}
}
}
PathArguments::Parenthesized(ParenthesizedGenericArguments {
inputs, ..
}) => {
for ty in inputs {
collect_lifetime_ident(lifetimes, ty);
}
}
_ => {}
}
}
}
Type::Reference(TypeReference { elem, lifetime, .. }) => {
collect_lifetime_ident(lifetimes, &*elem);
if let Some(lt) = lifetime {
lifetimes.insert(lt.clone());
}
}
Type::Tuple(TypeTuple { elems, .. }) => {
for ty in elems {
collect_lifetime_ident(lifetimes, ty);
}
}
Type::Paren(TypeParen { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Group(TypeGroup { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Ptr(TypePtr { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Slice(TypeSlice { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Array(TypeArray { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::BareFn(TypeBareFn {
lifetimes: Some(BoundLifetimes { lifetimes: fn_lifetimes, .. }),
..
}) => {
for lt in fn_lifetimes {
let LifetimeDef { lifetime, .. } = lt;
lifetimes.insert(lifetime.clone());
}
}
_ => {}
}
}
fn req_res_meta_word<T>(
attr_kind: &str,
field: &syn::Field,
newtype_body_field: &mut Option<syn::Field>,
body_field_kind: T,
raw_field_kind: T,
) -> syn::Result<T> {
if let Some(f) = &newtype_body_field {
let mut error = syn::Error::new_spanned(field, "There can only be one newtype body field");
error.combine(syn::Error::new_spanned(f, "Previous newtype body field"));
return Err(error);
}
*newtype_body_field = Some(field.clone());
Ok(match attr_kind {
"body" => body_field_kind,
"raw_body" => raw_field_kind,
_ => unreachable!(),
})
}
fn req_res_name_value<T>(
name: Ident,
value: Ident,
header: &mut Option<Ident>,
field_kind: T,
) -> syn::Result<T> {
if name != "header" {
return Err(syn::Error::new_spanned(
name,
"Invalid #[ruma_api] argument with value, expected `header`",
));
}
*header = Some(value);
Ok(field_kind)
}

View File

@ -5,70 +5,10 @@ use std::collections::BTreeSet;
use proc_macro2::{Span, TokenStream}; use proc_macro2::{Span, TokenStream};
use proc_macro_crate::{crate_name, FoundCrate}; use proc_macro_crate::{crate_name, FoundCrate};
use quote::quote; use quote::quote;
use syn::{ use syn::{AttrStyle, Attribute, Ident, Lifetime};
AngleBracketedGenericArguments, AttrStyle, Attribute, GenericArgument, Ident, Lifetime,
ParenthesizedGenericArguments, PathArguments, Type, TypeArray, TypeBareFn, TypeGroup,
TypeParen, TypePath, TypePtr, TypeReference, TypeSlice, TypeTuple,
};
use crate::api::{metadata::Metadata, request::Request}; use crate::api::{metadata::Metadata, request::Request};
pub fn collect_lifetime_ident(lifetimes: &mut BTreeSet<Lifetime>, ty: &Type) {
match ty {
Type::Path(TypePath { path, .. }) => {
for seg in &path.segments {
match &seg.arguments {
PathArguments::AngleBracketed(AngleBracketedGenericArguments {
args, ..
}) => {
for gen in args {
if let GenericArgument::Type(ty) = gen {
collect_lifetime_ident(lifetimes, &ty);
} else if let GenericArgument::Lifetime(lt) = gen {
lifetimes.insert(lt.clone());
}
}
}
PathArguments::Parenthesized(ParenthesizedGenericArguments {
inputs, ..
}) => {
for ty in inputs {
collect_lifetime_ident(lifetimes, ty);
}
}
_ => {}
}
}
}
Type::Reference(TypeReference { elem, lifetime, .. }) => {
collect_lifetime_ident(lifetimes, &*elem);
if let Some(lt) = lifetime {
lifetimes.insert(lt.clone());
}
}
Type::Tuple(TypeTuple { elems, .. }) => {
for ty in elems {
collect_lifetime_ident(lifetimes, ty);
}
}
Type::Paren(TypeParen { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Group(TypeGroup { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Ptr(TypePtr { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Slice(TypeSlice { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::Array(TypeArray { elem, .. }) => collect_lifetime_ident(lifetimes, &*elem),
Type::BareFn(TypeBareFn {
lifetimes: Some(syn::BoundLifetimes { lifetimes: fn_lifetimes, .. }),
..
}) => {
for lt in fn_lifetimes {
let syn::LifetimeDef { lifetime, .. } = lt;
lifetimes.insert(lifetime.clone());
}
}
_ => {}
}
}
/// Generates a `TokenStream` of lifetime identifiers `<'lifetime>`. /// Generates a `TokenStream` of lifetime identifiers `<'lifetime>`.
pub fn unique_lifetimes_to_tokens<'a, I: Iterator<Item = &'a Lifetime>>( pub fn unique_lifetimes_to_tokens<'a, I: Iterator<Item = &'a Lifetime>>(
lifetimes: I, lifetimes: I,
@ -82,65 +22,6 @@ pub fn unique_lifetimes_to_tokens<'a, I: Iterator<Item = &'a Lifetime>>(
} }
} }
pub fn has_lifetime(ty: &Type) -> bool {
match ty {
Type::Path(TypePath { path, .. }) => {
let mut found = false;
for seg in &path.segments {
match &seg.arguments {
PathArguments::AngleBracketed(AngleBracketedGenericArguments {
args, ..
}) => {
for gen in args {
if let GenericArgument::Type(ty) = gen {
if has_lifetime(&ty) {
found = true;
};
} else if let GenericArgument::Lifetime(_) = gen {
return true;
}
}
}
PathArguments::Parenthesized(ParenthesizedGenericArguments {
inputs, ..
}) => {
for ty in inputs {
if has_lifetime(ty) {
found = true;
}
}
}
_ => {}
}
}
found
}
Type::Reference(TypeReference { elem, lifetime, .. }) => {
if lifetime.is_some() {
true
} else {
has_lifetime(&elem)
}
}
Type::Tuple(TypeTuple { elems, .. }) => {
let mut found = false;
for ty in elems {
if has_lifetime(ty) {
found = true;
}
}
found
}
Type::Paren(TypeParen { elem, .. }) => has_lifetime(&elem),
Type::Group(TypeGroup { elem, .. }) => has_lifetime(&*elem),
Type::Ptr(TypePtr { elem, .. }) => has_lifetime(&*elem),
Type::Slice(TypeSlice { elem, .. }) => has_lifetime(&*elem),
Type::Array(TypeArray { elem, .. }) => has_lifetime(&*elem),
Type::BareFn(TypeBareFn { lifetimes: Some(syn::BoundLifetimes { .. }), .. }) => true,
_ => false,
}
}
/// The first item in the tuple generates code for the request path from /// The first item in the tuple generates code for the request path from
/// the `Metadata` and `Request` structs. The second item in the returned tuple /// the `Metadata` and `Request` structs. The second item in the returned tuple
/// is the code to generate a Request struct field created from any segments /// is the code to generate a Request struct field created from any segments
@ -350,44 +231,6 @@ pub(crate) fn parse_request_body(request: &Request) -> TokenStream {
} }
} }
pub(crate) fn req_res_meta_word<T>(
attr_kind: &str,
field: &syn::Field,
newtype_body_field: &mut Option<syn::Field>,
body_field_kind: T,
raw_field_kind: T,
) -> syn::Result<T> {
if let Some(f) = &newtype_body_field {
let mut error = syn::Error::new_spanned(field, "There can only be one newtype body field");
error.combine(syn::Error::new_spanned(f, "Previous newtype body field"));
return Err(error);
}
*newtype_body_field = Some(field.clone());
Ok(match attr_kind {
"body" => body_field_kind,
"raw_body" => raw_field_kind,
_ => unreachable!(),
})
}
pub(crate) fn req_res_name_value<T>(
name: Ident,
value: Ident,
header: &mut Option<Ident>,
field_kind: T,
) -> syn::Result<T> {
if name != "header" {
return Err(syn::Error::new_spanned(
name,
"Invalid #[ruma_api] argument with value, expected `header`",
));
}
*header = Some(value);
Ok(field_kind)
}
pub(crate) fn is_valid_endpoint_path(string: &str) -> bool { pub(crate) fn is_valid_endpoint_path(string: &str) -> bool {
string.as_bytes().iter().all(|b| (0x21..=0x7E).contains(b)) string.as_bytes().iter().all(|b| (0x21..=0x7E).contains(b))
} }