1use proc_macro2::TokenStream;
2use quote::ToTokens;
3use std::collections::btree_map::Entry;
4use std::collections::{BTreeMap as Map, BTreeSet as Set};
5use syn::punctuated::Punctuated;
6use syn::{parse_quote, GenericArgument, Generics, Ident, PathArguments, Token, Type, WhereClause};
7
8pub struct ParamsInScope<'a> {
9 names: Set<&'a Ident>,
10}
11
12impl<'a> ParamsInScope<'a> {
13 pub fn new(generics: &'a Generics) -> Self {
14 ParamsInScope {
15 names: generics.type_params().map(|param: &TypeParam| &param.ident).collect(),
16 }
17 }
18
19 pub fn intersects(&self, ty: &Type) -> bool {
20 let mut found: bool = false;
21 crawl(self, ty, &mut found);
22 found
23 }
24}
25
26fn crawl(in_scope: &ParamsInScope, ty: &Type, found: &mut bool) {
27 if let Type::Path(ty: &TypePath) = ty {
28 if ty.qself.is_none() {
29 if let Some(ident: &Ident) = ty.path.get_ident() {
30 if in_scope.names.contains(ident) {
31 *found = true;
32 }
33 }
34 }
35 for segment: &PathSegment in &ty.path.segments {
36 if let PathArguments::AngleBracketed(arguments: &AngleBracketedGenericArguments) = &segment.arguments {
37 for arg: &GenericArgument in &arguments.args {
38 if let GenericArgument::Type(ty: &Type) = arg {
39 crawl(in_scope, ty, found);
40 }
41 }
42 }
43 }
44 }
45}
46
47pub struct InferredBounds {
48 bounds: Map<String, (Set<String>, Punctuated<TokenStream, Token![+]>)>,
49 order: Vec<TokenStream>,
50}
51
52impl InferredBounds {
53 pub fn new() -> Self {
54 InferredBounds {
55 bounds: Map::new(),
56 order: Vec::new(),
57 }
58 }
59
60 #[allow(clippy::type_repetition_in_bounds, clippy::trait_duplication_in_bounds)] // clippy bug: https://github.com/rust-lang/rust-clippy/issues/8771
61 pub fn insert(&mut self, ty: impl ToTokens, bound: impl ToTokens) {
62 let ty = ty.to_token_stream();
63 let bound = bound.to_token_stream();
64 let entry = self.bounds.entry(ty.to_string());
65 if let Entry::Vacant(_) = entry {
66 self.order.push(ty);
67 }
68 let (set, tokens) = entry.or_default();
69 if set.insert(bound.to_string()) {
70 tokens.push(bound);
71 }
72 }
73
74 pub fn augment_where_clause(&self, generics: &Generics) -> WhereClause {
75 let mut generics = generics.clone();
76 let where_clause = generics.make_where_clause();
77 for ty in &self.order {
78 let (_set, bounds) = &self.bounds[&ty.to_string()];
79 where_clause.predicates.push(parse_quote!(#ty: #bounds));
80 }
81 generics.where_clause.unwrap()
82 }
83}
84