1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
extern crate proc_macro;

use proc_macro::TokenStream;
use proc_macro2::{Delimiter, TokenTree};
use quote::quote;
use syn::{parse_macro_input, AttributeArgs, Lit, LitStr, Meta, MetaList, MetaNameValue, NestedMeta, Signature};

#[proc_macro_attribute]
pub fn test_connector(attr: TokenStream, input: TokenStream) -> TokenStream {
    let attributes_meta: syn::AttributeArgs = parse_macro_input!(attr as AttributeArgs);
    let input = proc_macro2::TokenStream::from(input);

    // First the attributes
    let mut attrs = TestConnectorAttrs::default();

    for meta in attributes_meta {
        match meta {
            NestedMeta::Meta(Meta::List(list)) => {
                if let Err(err) = attrs.ingest_meta_list(list) {
                    return err.to_compile_error().into();
                }
            }
            NestedMeta::Meta(Meta::NameValue(MetaNameValue {
                lit: Lit::Str(litstr),
                eq_token: _,
                path,
            })) if path.is_ident("ignore") => attrs.ignore_reason = Some(litstr),
            other => {
                return syn::Error::new_spanned(other, "Unexpected argument")
                    .into_compile_error()
                    .into()
            }
        }
    }

    // Then the function item
    // We take advantage of the function body being the last token tree (surrounded by braces).
    let (sig, body): (Signature, proc_macro2::TokenStream) = {
        let sig_tokens = input
            .clone()
            .into_iter()
            .take_while(|t| !matches!(t, TokenTree::Group(g) if matches!(g.delimiter(), Delimiter::Brace)))
            .collect();

        let body = input.into_iter().last().expect("Failed to find function body");

        match syn::parse2(sig_tokens) {
            Ok(sig) => (sig, body.into()),
            Err(err) => return err.into_compile_error().into(),
        }
    };

    // Generate the final function
    let include_tagged = &attrs.include_tagged;
    let exclude_tagged = &attrs.exclude_tagged;
    let capabilities = &attrs.capabilities;
    let preview_features = &attrs.preview_features;
    let namespaces = &attrs.namespaces;

    let test_function_name = &sig.ident;
    let test_function_name_lit = sig.ident.to_string();
    let (arg_name, arg_type) = match extract_api_arg(&sig) {
        Ok(args) => args,
        Err(err) => return err.to_compile_error().into(),
    };
    let ignore_attr = attrs.ignore_reason.map(|reason| quote!(#[ignore = #reason]));

    let tokens = if sig.asyncness.is_some() {
        let (return_ty, unwrap) = match sig.output {
            syn::ReturnType::Default => (quote!(()), quote!()),
            syn::ReturnType::Type(_, ref ty) => (quote!(#ty), quote!(.unwrap())),
        };

        quote! {
            #[test]
            #ignore_attr
            fn #test_function_name() {
                let args = test_setup::TestApiArgs::new(#test_function_name_lit, &[#(#preview_features,)*], &[#(#namespaces,)*]);

                if test_setup::should_skip_test(
                    BitFlags::empty() #(| Tags::#include_tagged)*,
                    BitFlags::empty() #(| Tags::#exclude_tagged)*,
                    BitFlags::empty() #(| Capabilities::#capabilities)*,
                ) { return }

                test_setup::runtime::run_with_thread_local_runtime::<#return_ty>(async {
                    let #arg_name = &mut #arg_type::new(args).await;

                    #body

                })#unwrap;
            }
        }
    } else {
        quote! {
            #[test]
            #ignore_attr
            fn #test_function_name() {
                let args = test_setup::TestApiArgs::new(#test_function_name_lit, &[#(#preview_features,)*], &[#(#namespaces,)*]);

                if test_setup::should_skip_test(
                    BitFlags::empty() #(| Tags::#include_tagged)*,
                    BitFlags::empty() #(| Tags::#exclude_tagged)*,
                    BitFlags::empty() #(| Capabilities::#capabilities)*,
                ) { return }

                #[allow(all)]
                let mut #arg_name = #arg_type::new(args);

                #body
            }
        }
    };

    tokens.into()
}

#[derive(Default)]
struct TestConnectorAttrs {
    include_tagged: Vec<syn::Path>,
    exclude_tagged: Vec<syn::Path>,
    capabilities: Vec<syn::Path>,
    preview_features: Vec<syn::LitStr>,
    namespaces: Vec<syn::LitStr>,
    ignore_reason: Option<LitStr>,
}

impl TestConnectorAttrs {
    fn ingest_meta_list(&mut self, list: MetaList) -> Result<(), syn::Error> {
        let target: &mut Vec<_> = match list.path {
            p if p.is_ident("tags") => &mut self.include_tagged,
            p if p.is_ident("exclude") => &mut self.exclude_tagged,
            p if p.is_ident("capabilities") => &mut self.capabilities,
            p if p.is_ident("preview_features") => {
                self.preview_features.reserve(list.nested.len());

                for item in list.nested {
                    match item {
                        NestedMeta::Lit(Lit::Str(s)) => self.preview_features.push(s),
                        other => return Err(syn::Error::new_spanned(other, "Unexpected argument")),
                    }
                }

                return Ok(());
            }
            p if p.is_ident("namespaces") => {
                self.namespaces.reserve(list.nested.len());

                for item in list.nested {
                    match item {
                        NestedMeta::Lit(Lit::Str(s)) => self.namespaces.push(s),
                        other => return Err(syn::Error::new_spanned(other, "Unexpected argument")),
                    }
                }

                return Ok(());
            }
            other => return Err(syn::Error::new_spanned(other, "Unexpected argument")),
        };

        target.reserve(list.nested.len());

        for item in list.nested {
            match item {
                NestedMeta::Meta(Meta::Path(p)) if p.get_ident().is_some() => {
                    target.push(p);
                }
                other => return Err(syn::Error::new_spanned(other, "Unexpected argument")),
            }
        }

        Ok(())
    }
}

fn extract_api_arg(sig: &Signature) -> Result<(&syn::Ident, &syn::Ident), syn::Error> {
    use syn::spanned::Spanned;

    let err = |span| {
        Err(syn::Error::new(
            span,
            format!(
                "Unsupported syntax. Arguments to test functions should be of the form `fn test_fn(api: {}TestApi)`",
                if sig.asyncness.is_some() { "&mut " } else { "" }
            ),
        ))
    };

    match (sig.inputs.first(), sig.inputs.len()) {
        (Some(syn::FnArg::Typed(pattype)), 1) => {
            let arg_name = match pattype.pat.as_ref() {
                syn::Pat::Ident(ident) => &ident.ident,
                other => return err(other.span()),
            };

            let arg_type = match pattype.ty.as_ref() {
                syn::Type::Reference(syn::TypeReference {
                    mutability: Some(_),
                    elem,
                    ..
                }) if sig.asyncness.is_some() => match elem.as_ref() {
                    syn::Type::Path(ident) => ident.path.get_ident().unwrap(),
                    other => return err(other.span()),
                },
                syn::Type::Path(ident) => ident.path.get_ident().unwrap(),
                other => return err(other.span()),
            };

            Ok((arg_name, arg_type))
        }
        (_, n) => Err(syn::Error::new_spanned(
            &sig.inputs,
            format!("Test functions should take one argument, not {n}"),
        )),
    }
}