diesel_derives/
multiconnection.rs

1use proc_macro2::TokenStream;
2use syn::DeriveInput;
3
4struct ConnectionVariant<'a> {
5    ty: &'a syn::Type,
6    name: &'a syn::Ident,
7}
8
9pub fn derive(item: DeriveInput) -> TokenStream {
10    if let syn::Data::Enum(e) = item.data {
11        let connection_types = e
12            .variants
13            .iter()
14            .map(|v| match &v.fields {
15                syn::Fields::Unnamed(f) if f.unnamed.len() == 1 => ConnectionVariant {
16                    ty: &f.unnamed.first().unwrap().ty,
17                    name: &v.ident,
18                },
19                _ => panic!("Only enums with on field per variant are supported"),
20            })
21            .collect::<Vec<_>>();
22        let backend = generate_backend(&connection_types);
23        let query_builder = generate_querybuilder(&connection_types);
24        let bind_collector = generate_bind_collector(&connection_types);
25        let row = generate_row(&connection_types);
26        let connection = generate_connection_impl(&connection_types, &item.ident);
27
28        quote::quote! {
29            mod multi_connection_impl {
30                use super::*;
31
32                mod backend {
33                    use super::*;
34                    #backend
35                }
36
37                mod query_builder {
38                    use super::*;
39                    #query_builder
40                }
41
42                mod bind_collector {
43                    use super::*;
44                    #bind_collector
45                }
46
47                mod row {
48                    use super::*;
49                    #row
50                }
51
52                mod connection {
53                    use super::*;
54                    #connection
55                }
56
57                pub use self::backend::{MultiBackend, MultiRawValue};
58                pub use self::row::{MultiRow, MultiField};
59            }
60
61            pub use self::multi_connection_impl::{MultiBackend, MultiRow, MultiRawValue, MultiField};
62        }
63    } else {
64        panic!("Only enums are supported as multiconnection type");
65    }
66}
67
68fn generate_connection_impl(
69    connection_types: &[ConnectionVariant],
70    ident: &syn::Ident,
71) -> TokenStream {
72    let batch_execute_impl = connection_types.iter().map(|c| {
73        let ident = c.name;
74        quote::quote! {
75            Self::#ident(conn) => conn.batch_execute(query)
76        }
77    });
78
79    let execute_returning_count_impl = connection_types.iter().map(|c| {
80        let ident = c.name;
81        let ty = c.ty;
82        quote::quote! {
83            Self::#ident(conn) => {
84                let query = SerializedQuery {
85                    inner: source,
86                    backend: MultiBackend::#ident(Default::default()),
87                    query_builder: super::query_builder::MultiQueryBuilder::#ident(Default::default()),
88                    p: std::marker::PhantomData::<#ty>,
89                };
90                conn.execute_returning_count(&query)
91            }
92        }
93    });
94
95    let load_impl = connection_types.iter().map(|c| {
96        let variant_ident = c.name;
97        let ty = &c.ty;
98        quote::quote! {
99            #ident::#variant_ident(conn) => {
100                let query = SerializedQuery {
101                    inner: source,
102                    backend: MultiBackend::#variant_ident(Default::default()),
103                    query_builder: super::query_builder::MultiQueryBuilder::#variant_ident(Default::default()),
104                    p: std::marker::PhantomData::<#ty>,
105                };
106                let r = <#ty as diesel::connection::LoadConnection>::load(conn, query)?;
107                Ok(super::row::MultiCursor::#variant_ident(r))
108            }
109        }
110    });
111
112    let instrumentation_impl = connection_types.iter().map(|c| {
113        let variant_ident = c.name;
114        quote::quote! {
115            #ident::#variant_ident(conn) => {
116                diesel::connection::Connection::set_instrumentation(conn, instrumentation);
117            }
118        }
119    });
120
121    let get_instrumentation_impl = connection_types.iter().map(|c| {
122        let variant_ident = c.name;
123        quote::quote! {
124            #ident::#variant_ident(conn) => {
125                diesel::connection::Connection::instrumentation(conn)
126            }
127        }
128    });
129
130    let establish_impls = connection_types.iter().map(|c| {
131        let ident = c.name;
132        let ty = c.ty;
133        quote::quote! {
134            if let Ok(conn) = #ty::establish(database_url) {
135                return Ok(Self::#ident(conn));
136            }
137        }
138    });
139
140    let begin_transaction_impl = connection_types.iter().map(|c| {
141        let ident = c.name;
142        let ty = c.ty;
143        quote::quote! {
144            Self::#ident(conn) => <#ty as Connection>::TransactionManager::begin_transaction(conn)
145        }
146    });
147
148    let commit_transaction_impl = connection_types.iter().map(|c| {
149        let ident = c.name;
150        let ty = c.ty;
151        quote::quote! {
152            Self::#ident(conn) => <#ty as Connection>::TransactionManager::commit_transaction(conn)
153        }
154    });
155
156    let rollback_transaction_impl = connection_types.iter().map(|c| {
157        let ident = c.name;
158        let ty = c.ty;
159        quote::quote! {
160            Self::#ident(conn) => <#ty as Connection>::TransactionManager::rollback_transaction(conn)
161        }
162    });
163
164    let is_broken_transaction_manager_impl = connection_types.iter().map(|c| {
165        let ident = c.name;
166        let ty = c.ty;
167        quote::quote! {
168            Self::#ident(conn) => <#ty as Connection>::TransactionManager::is_broken_transaction_manager(conn)
169        }
170    });
171
172    let transaction_manager_status_mut_impl = connection_types.iter().map(|c| {
173        let ident = c.name;
174        let ty = c.ty;
175        quote::quote! {
176            Self::#ident(conn) => <#ty as Connection>::TransactionManager::transaction_manager_status_mut(conn)
177        }
178    });
179
180    let bind_param_helper_impl = connection_types.iter().map(|c| {
181        let ident = c.name;
182        let ty = c.ty;
183        quote::quote! {
184            impl BindParamHelper for #ty {
185                fn handle_inner_pass<'a, 'b: 'a>(
186                    outer_collector: &mut <Self::Backend as diesel::backend::Backend>::BindCollector<'a>,
187                    lookup: &mut <Self::Backend as diesel::sql_types::TypeMetadata>::MetadataLookup,
188                    backend: &'b MultiBackend,
189                    q: &'b impl diesel::query_builder::QueryFragment<MultiBackend>,
190                ) -> diesel::QueryResult<()> {
191                    use diesel::internal::derives::multiconnection::MultiConnectionHelper;
192
193                    let mut collector = super::bind_collector::MultiBindCollector::#ident(Default::default());
194                    let lookup = Self::to_any(lookup);
195                    q.collect_binds(&mut collector, lookup, backend)?;
196                    if let super::bind_collector::MultiBindCollector::#ident(collector) = collector {
197                        *outer_collector = collector;
198                    }
199                    Ok(())
200                }
201            }
202        }
203    });
204
205    let impl_migration_connection = connection_types.iter().map(|c| {
206        let ident = c.name;
207        quote::quote! {
208            Self::#ident(conn) => {
209                use diesel::migration::MigrationConnection;
210                conn.setup()
211            }
212        }
213    });
214
215    let impl_begin_test_transaction = connection_types.iter().map(|c| {
216        let ident = c.name;
217        quote::quote! {
218            Self::#ident(conn) => conn.begin_test_transaction()
219        }
220    });
221
222    let r2d2_impl = if cfg!(feature = "r2d2") {
223        let impl_ping_r2d2 = connection_types.iter().map(|c| {
224            let ident = c.name;
225            quote::quote! {
226                Self::#ident(conn) => conn.ping()
227            }
228        });
229
230        let impl_is_broken_r2d2 = connection_types.iter().map(|c| {
231            let ident = c.name;
232            quote::quote! {
233                Self::#ident(conn) => conn.is_broken()
234            }
235        });
236        Some(quote::quote! {
237            impl diesel::r2d2::R2D2Connection for MultiConnection {
238                fn ping(&mut self) -> diesel::QueryResult<()> {
239                    use diesel::r2d2::R2D2Connection;
240                    match self {
241                        #(#impl_ping_r2d2,)*
242                    }
243                }
244
245                fn is_broken(&mut self) -> bool {
246                    use diesel::r2d2::R2D2Connection;
247                    match self {
248                        #(#impl_is_broken_r2d2,)*
249                    }
250                }
251            }
252        })
253    } else {
254        None
255    };
256
257    quote::quote! {
258        use diesel::connection::*;
259        pub(super) use super::#ident as MultiConnection;
260
261        impl SimpleConnection for MultiConnection {
262            fn batch_execute(&mut self, query: &str) -> diesel::result::QueryResult<()> {
263                match self {
264                    #(#batch_execute_impl,)*
265                }
266            }
267        }
268
269        impl diesel::internal::derives::multiconnection::ConnectionSealed for MultiConnection {}
270
271        struct SerializedQuery<T, C> {
272            inner: T,
273            backend: MultiBackend,
274            query_builder: super::query_builder::MultiQueryBuilder,
275            p: std::marker::PhantomData<C>,
276        }
277
278        trait BindParamHelper: Connection {
279            fn handle_inner_pass<'a, 'b: 'a>(
280                collector: &mut <Self::Backend as diesel::backend::Backend>::BindCollector<'a>,
281                lookup: &mut <Self::Backend as diesel::sql_types::TypeMetadata>::MetadataLookup,
282                backend: &'b MultiBackend,
283                q: &'b impl diesel::query_builder::QueryFragment<MultiBackend>,
284            ) -> diesel::QueryResult<()>;
285        }
286
287        #(#bind_param_helper_impl)*
288
289        impl<T, DB, C> diesel::query_builder::QueryFragment<DB> for SerializedQuery<T, C>
290        where
291            DB: diesel::backend::Backend + 'static,
292            T: diesel::query_builder::QueryFragment<MultiBackend>,
293            C: diesel::connection::Connection<Backend = DB> + BindParamHelper + diesel::internal::derives::multiconnection::MultiConnectionHelper,
294        {
295            fn walk_ast<'b>(
296                &'b self,
297                mut pass: diesel::query_builder::AstPass<'_, 'b, DB>,
298            ) -> diesel::QueryResult<()> {
299                use diesel::query_builder::QueryBuilder;
300                use diesel::internal::derives::multiconnection::AstPassHelper;
301
302                let mut query_builder = self.query_builder.duplicate();
303                self.inner.to_sql(&mut query_builder, &self.backend)?;
304                pass.push_sql(&query_builder.finish());
305                if !self.inner.is_safe_to_cache_prepared(&self.backend)? {
306                    pass.unsafe_to_cache_prepared();
307                }
308                if let Some((outer_collector, lookup)) = pass.bind_collector() {
309                    C::handle_inner_pass(outer_collector, lookup, &self.backend, &self.inner)?;
310                }
311                Ok(())
312            }
313        }
314
315        impl<T, C> diesel::query_builder::QueryId for SerializedQuery<T, C>
316        where
317            T: diesel::query_builder::QueryId,
318        {
319            type QueryId = <T as diesel::query_builder::QueryId>::QueryId;
320
321            const HAS_STATIC_QUERY_ID: bool = <T as diesel::query_builder::QueryId>::HAS_STATIC_QUERY_ID;
322        }
323
324        impl<T, C> diesel::query_builder::Query for SerializedQuery<T, C>
325        where
326            T: diesel::query_builder::Query
327        {
328            // we use untyped here as this does not really matter
329            // + that type is supported for all backends
330            type SqlType = diesel::sql_types::Untyped;
331        }
332
333        impl Connection for MultiConnection {
334            type Backend = super::MultiBackend;
335
336            type TransactionManager = Self;
337
338            fn establish(database_url: &str) -> diesel::ConnectionResult<Self> {
339                #(#establish_impls)*
340                Err(diesel::ConnectionError::BadConnection("Invalid connection url for multiconnection".into()))
341            }
342
343            fn execute_returning_count<T>(&mut self, source: &T) -> diesel::result::QueryResult<usize>
344            where
345                T: diesel::query_builder::QueryFragment<Self::Backend> + diesel::query_builder::QueryId,
346            {
347                match self {
348                    #(#execute_returning_count_impl,)*
349                }
350            }
351
352            fn transaction_state(
353                &mut self,
354            ) -> &mut <Self::TransactionManager as TransactionManager<Self>>::TransactionStateData {
355                self
356            }
357
358            fn instrumentation(&mut self) -> &mut dyn diesel::connection::Instrumentation {
359                match self {
360                    #(#get_instrumentation_impl,)*
361                }
362            }
363
364            fn set_instrumentation(&mut self, instrumentation: impl diesel::connection::Instrumentation) {
365                match self {
366                    #(#instrumentation_impl,)*
367                }
368            }
369
370            fn begin_test_transaction(&mut self) -> diesel::QueryResult<()> {
371                match self {
372                    #(#impl_begin_test_transaction,)*
373                }
374            }
375        }
376
377        impl LoadConnection for MultiConnection
378        {
379            type Cursor<'conn, 'query> = super::row::MultiCursor<'conn, 'query>;
380            type Row<'conn, 'query> = super::MultiRow<'conn, 'query>;
381
382            fn load<'conn, 'query, T>(
383                &'conn mut self,
384                source: T,
385            ) -> diesel::result::QueryResult<Self::Cursor<'conn, 'query>>
386            where
387                T: diesel::query_builder::Query + diesel::query_builder::QueryFragment<Self::Backend> + diesel::query_builder::QueryId + 'query,
388                Self::Backend: diesel::expression::QueryMetadata<T::SqlType>,
389            {
390                match self {
391                    #(#load_impl,)*
392                }
393            }
394        }
395
396        impl TransactionManager<MultiConnection> for MultiConnection {
397            type TransactionStateData = Self;
398
399            fn begin_transaction(conn: &mut MultiConnection) -> diesel::QueryResult<()> {
400                match conn {
401                    #(#begin_transaction_impl,)*
402                }
403            }
404
405            fn rollback_transaction(conn: &mut MultiConnection) -> diesel::QueryResult<()> {
406                match conn {
407                    #(#rollback_transaction_impl,)*
408                }
409            }
410
411            fn commit_transaction(conn: &mut MultiConnection) -> diesel::QueryResult<()> {
412                match conn {
413                    #(#commit_transaction_impl,)*
414                }
415            }
416
417            fn transaction_manager_status_mut(conn: &mut MultiConnection) -> &mut diesel::connection::TransactionManagerStatus {
418                match conn {
419                    #(#transaction_manager_status_mut_impl,)*
420                }
421            }
422
423            fn is_broken_transaction_manager(conn: &mut MultiConnection) -> bool {
424                match conn {
425                    #(#is_broken_transaction_manager_impl,)*
426                }
427            }
428        }
429
430        impl diesel::migration::MigrationConnection for MultiConnection {
431            fn setup(&mut self) -> diesel::QueryResult<usize> {
432                match self {
433                    #(#impl_migration_connection,)*
434                }
435            }
436        }
437
438        #r2d2_impl
439    }
440}
441
442fn generate_row(connection_types: &[ConnectionVariant]) -> TokenStream {
443    let row_variants = connection_types.iter().map(|c| {
444        let ident = c.name;
445        let ty = c.ty;
446        quote::quote! {
447            #ident(<#ty as diesel::connection::LoadConnection>::Row<'conn, 'query>)
448        }
449    });
450
451    let field_variants = connection_types.iter().map(|c| {
452        let ident = c.name;
453        let ty = c.ty;
454        quote::quote! {
455            #ident(<<#ty as diesel::connection::LoadConnection>::Row<'conn, 'query> as diesel::row::Row<'conn, <#ty as diesel::connection::Connection>::Backend>>::Field<'query>)
456        }
457    });
458
459    let field_name_impl = connection_types.iter().map(|c| {
460        let ident = c.name;
461        quote::quote! {
462            Self::#ident(f) => f.field_name()
463        }
464    });
465
466    let field_value_impl = connection_types.iter().map(|c| {
467        let ident = c.name;
468        quote::quote! {
469            Self::#ident(f) => f.value().map(super::MultiRawValue::#ident)
470        }
471    });
472
473    let row_index_impl = connection_types
474        .iter()
475        .map(|c| {
476            let ident = c.name;
477            quote::quote! {
478                Self::#ident(r) => r.idx(idx)
479            }
480        })
481        .collect::<Vec<_>>();
482    let row_index_impl = &row_index_impl;
483
484    let cursor_variants = connection_types.iter().map(|c| {
485        let ident = c.name;
486        let ty = c.ty;
487        quote::quote! {
488            #ident(<#ty as diesel::connection::LoadConnection>::Cursor<'conn, 'query>)
489        }
490    });
491
492    let iterator_impl = connection_types.iter().map(|c| {
493        let ident = c.name;
494        quote::quote! {
495            Self::#ident(r) => Some(r.next()?.map(MultiRow::#ident))
496        }
497    });
498
499    let field_count_impl = connection_types.iter().map(|c| {
500        let ident = c.name;
501        quote::quote! {
502            Self::#ident(r) => r.field_count()
503        }
504    });
505
506    let get_field_impl = connection_types.iter().map(|c| {
507        let ident = c.name;
508        quote::quote! {
509            Self::#ident(r) => r.get(idx).map(MultiField::#ident)
510        }
511    });
512
513    quote::quote! {
514
515        pub enum MultiRow<'conn, 'query> {
516            #(#row_variants,)*
517
518        }
519
520        impl<'conn, 'query> diesel::internal::derives::multiconnection::RowSealed for MultiRow<'conn, 'query> {}
521
522        pub enum MultiField<'conn: 'query, 'query> {
523            #(#field_variants,)*
524        }
525
526        impl<'conn, 'query> diesel::row::Field<'conn, super::MultiBackend> for MultiField<'conn, 'query> {
527            fn field_name(&self) -> Option<&str> {
528                use diesel::row::Field;
529
530                match self {
531                    #(#field_name_impl,)*
532                }
533            }
534
535            fn value(&self) -> Option<<super::MultiBackend as diesel::backend::Backend>::RawValue<'_>> {
536                use diesel::row::Field;
537
538                match self {
539                    #(#field_value_impl,)*
540                }
541            }
542        }
543
544        impl<'conn, 'query, 'c> diesel::row::RowIndex<&'c str> for MultiRow<'conn, 'query> {
545            fn idx(&self, idx: &'c str) -> Option<usize> {
546                use diesel::row::RowIndex;
547
548                match self {
549                    #(#row_index_impl,)*
550                }
551            }
552        }
553
554        impl<'conn, 'query> diesel::row::RowIndex<usize> for MultiRow<'conn, 'query> {
555            fn idx(&self, idx: usize) -> Option<usize> {
556                use diesel::row::RowIndex;
557
558                match self {
559                    #(#row_index_impl,)*
560                }
561            }
562        }
563
564        impl<'conn, 'query> diesel::row::Row<'conn, super::MultiBackend> for MultiRow<'conn, 'query> {
565            type Field<'a> = MultiField<'a, 'a> where 'conn: 'a, Self: 'a;
566            type InnerPartialRow = Self;
567
568            fn field_count(&self) -> usize {
569                use diesel::row::Row;
570                match self {
571                    #(#field_count_impl,)*
572                }
573            }
574
575            fn get<'b, I>(&'b self, idx: I) -> Option<Self::Field<'b>>
576            where
577                'conn: 'b,
578                Self: diesel::row::RowIndex<I>,
579            {
580                use diesel::row::{RowIndex, Row};
581                let idx = self.idx(idx)?;
582
583                match self {
584                    #(#get_field_impl,)*
585                }
586            }
587
588            fn partial_row(
589                &self,
590                range: std::ops::Range<usize>,
591            ) -> diesel::internal::derives::multiconnection::PartialRow<'_, Self::InnerPartialRow> {
592                diesel::internal::derives::multiconnection::PartialRow::new(self, range)
593            }
594        }
595
596        pub enum MultiCursor<'conn, 'query> {
597            #(#cursor_variants,)*
598        }
599
600        impl<'conn, 'query> Iterator for MultiCursor<'conn, 'query> {
601            type Item = diesel::QueryResult<MultiRow<'conn, 'query>>;
602
603            fn next(&mut self) -> Option<Self::Item> {
604                match self {
605                    #(#iterator_impl,)*
606                }
607            }
608        }
609
610    }
611}
612
613fn generate_bind_collector(connection_types: &[ConnectionVariant]) -> TokenStream {
614    let mut to_sql_impls = vec![
615        (
616            quote::quote!(diesel::sql_types::SmallInt),
617            quote::quote!(i16),
618        ),
619        (
620            quote::quote!(diesel::sql_types::Integer),
621            quote::quote!(i32),
622        ),
623        (quote::quote!(diesel::sql_types::BigInt), quote::quote!(i64)),
624        (quote::quote!(diesel::sql_types::Double), quote::quote!(f64)),
625        (quote::quote!(diesel::sql_types::Float), quote::quote!(f32)),
626        (quote::quote!(diesel::sql_types::Text), quote::quote!(str)),
627        (
628            quote::quote!(diesel::sql_types::Binary),
629            quote::quote!([u8]),
630        ),
631        (quote::quote!(diesel::sql_types::Bool), quote::quote!(bool)),
632    ];
633    if cfg!(feature = "chrono") {
634        to_sql_impls.push((
635            quote::quote!(diesel::sql_types::Timestamp),
636            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveDateTime),
637        ));
638        to_sql_impls.push((
639            quote::quote!(diesel::sql_types::Date),
640            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveDate),
641        ));
642        to_sql_impls.push((
643            quote::quote!(diesel::sql_types::Time),
644            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveTime),
645        ));
646    }
647    if cfg!(feature = "time") {
648        to_sql_impls.push((
649            quote::quote!(diesel::sql_types::Timestamp),
650            quote::quote!(diesel::internal::derives::multiconnection::time::PrimitiveDateTime),
651        ));
652        to_sql_impls.push((
653            quote::quote!(diesel::sql_types::Time),
654            quote::quote!(diesel::internal::derives::multiconnection::time::Time),
655        ));
656        to_sql_impls.push((
657            quote::quote!(diesel::sql_types::Date),
658            quote::quote!(diesel::internal::derives::multiconnection::time::Date),
659        ));
660    }
661    let to_sql_impls = to_sql_impls
662        .into_iter()
663        .map(|t| generate_to_sql_impls(t, connection_types));
664
665    let mut from_sql_impls = vec![
666        (
667            quote::quote!(diesel::sql_types::SmallInt),
668            quote::quote!(i16),
669        ),
670        (
671            quote::quote!(diesel::sql_types::Integer),
672            quote::quote!(i32),
673        ),
674        (quote::quote!(diesel::sql_types::BigInt), quote::quote!(i64)),
675        (quote::quote!(diesel::sql_types::Double), quote::quote!(f64)),
676        (quote::quote!(diesel::sql_types::Float), quote::quote!(f32)),
677        (
678            quote::quote!(diesel::sql_types::Text),
679            quote::quote!(String),
680        ),
681        (
682            quote::quote!(diesel::sql_types::Binary),
683            quote::quote!(Vec<u8>),
684        ),
685        (quote::quote!(diesel::sql_types::Bool), quote::quote!(bool)),
686    ];
687    if cfg!(feature = "chrono") {
688        from_sql_impls.push((
689            quote::quote!(diesel::sql_types::Timestamp),
690            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveDateTime),
691        ));
692        from_sql_impls.push((
693            quote::quote!(diesel::sql_types::Date),
694            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveDate),
695        ));
696        from_sql_impls.push((
697            quote::quote!(diesel::sql_types::Time),
698            quote::quote!(diesel::internal::derives::multiconnection::chrono::NaiveTime),
699        ));
700    }
701    if cfg!(feature = "time") {
702        from_sql_impls.push((
703            quote::quote!(diesel::sql_types::Timestamp),
704            quote::quote!(diesel::internal::derives::multiconnection::time::PrimitiveDateTime),
705        ));
706        from_sql_impls.push((
707            quote::quote!(diesel::sql_types::Time),
708            quote::quote!(diesel::internal::derives::multiconnection::time::Time),
709        ));
710        from_sql_impls.push((
711            quote::quote!(diesel::sql_types::Date),
712            quote::quote!(diesel::internal::derives::multiconnection::time::Date),
713        ));
714    }
715    let from_sql_impls = from_sql_impls.into_iter().map(generate_from_sql_impls);
716
717    let into_bind_value_bounds = connection_types.iter().map(|c| {
718        let ty = c.ty;
719        quote::quote! {
720            diesel::serialize::ToSql<ST, <#ty as diesel::connection::Connection>::Backend>
721        }
722    });
723
724    let has_sql_type_bounds = connection_types.iter().map(|c| {
725        let ty = c.ty;
726        quote::quote! {
727            <#ty as diesel::connection::Connection>::Backend: diesel::sql_types::HasSqlType<ST>
728        }
729    });
730
731    let multi_bind_collector_variants = connection_types.iter().map(|c| {
732        let ident = c.name;
733        let ty = c.ty;
734        quote::quote! {
735            #ident(<<#ty as diesel::connection::Connection>::Backend as diesel::backend::Backend>::BindCollector<'a>)
736        }
737    });
738
739    let multi_bind_collector_accessor = connection_types.iter().map(|c| {
740        let ident = c.name;
741        let lower_ident = syn::Ident::new(&c.name.to_string().to_lowercase(), c.name.span());
742        let ty = c.ty;
743        quote::quote! {
744            pub(super) fn #lower_ident(
745                &mut self,
746            ) -> &mut <<#ty as diesel::connection::Connection>::Backend as diesel::backend::Backend>::BindCollector<'a> {
747                match self {
748                    Self::#ident(bc) => bc,
749                    _ => unreachable!(),
750                }
751            }
752
753        }
754
755    });
756
757    let push_to_inner_collector = connection_types.iter().map(|c| {
758        let ident = c.name;
759        let ty = c.ty;
760        quote::quote! {
761            Self::#ident(ref mut bc) => {
762                let out = out.inner.expect("This inner value is set via our custom `ToSql` impls");
763                let callback = out.push_bound_value_to_collector;
764                let value = out.value;
765                <_ as PushBoundValueToCollectorDB<<#ty as diesel::Connection>::Backend>>::push_bound_value(
766                     callback,
767                     value,
768                     bc,
769                     <#ty as diesel::internal::derives::multiconnection::MultiConnectionHelper>::from_any(metadata_lookup)
770                        .expect("We can downcast the metadata lookup to the right type")
771                 )?
772            }
773        }
774    });
775
776    let push_null_to_inner_collector = connection_types
777        .iter()
778        .map(|c| {
779            let ident = c.name;
780            quote::quote! {
781                (Self::#ident(ref mut bc), super::backend::MultiTypeMetadata{ #ident: Some(metadata), .. }) => {
782                    bc.push_null_value(metadata)?;
783                }
784            }
785        })
786        .collect::<Vec<_>>();
787
788    let push_bound_value_super_traits = connection_types
789        .iter()
790        .map(|c| {
791            let ty = c.ty;
792            quote::quote! {
793                PushBoundValueToCollectorDB<<#ty as diesel::Connection>::Backend>
794            }
795        })
796        .collect::<Vec<_>>();
797
798    quote::quote! {
799        pub enum MultiBindCollector<'a> {
800            #(#multi_bind_collector_variants,)*
801        }
802
803        impl<'a> MultiBindCollector<'a> {
804            #(#multi_bind_collector_accessor)*
805        }
806
807        trait PushBoundValueToCollectorDB<DB: diesel::backend::Backend> {
808            fn push_bound_value<'a: 'b, 'b>(
809                &self,
810                v: InnerBindValueKind<'a>,
811                collector: &mut <DB as diesel::backend::Backend>::BindCollector<'b>,
812                lookup: &mut <DB as diesel::sql_types::TypeMetadata>::MetadataLookup,
813            ) -> diesel::result::QueryResult<()>;
814        }
815
816        struct PushBoundValueToCollectorImpl<ST, T: ?Sized> {
817            p: std::marker::PhantomData<(ST, T)>
818        }
819
820        // we need to have separate impls for Sized values and str/[u8] as otherwise
821        // we need separate impls for `Sized` and `str`/`[u8]` here as
822        // we cannot use `Any::downcast_ref` otherwise (which implies `Sized`)
823        impl<ST, T, DB> PushBoundValueToCollectorDB<DB> for PushBoundValueToCollectorImpl<ST, T>
824        where DB: diesel::backend::Backend
825                  + diesel::sql_types::HasSqlType<ST>,
826              T: diesel::serialize::ToSql<ST, DB> + 'static,
827              Option<T>: diesel::serialize::ToSql<diesel::sql_types::Nullable<ST>, DB> + 'static,
828              ST: diesel::sql_types::SqlType,
829        {
830            fn push_bound_value<'a: 'b, 'b>(
831                &self,
832                v: InnerBindValueKind<'a>,
833                collector: &mut <DB as diesel::backend::Backend>::BindCollector<'b>,
834                lookup: &mut <DB as diesel::sql_types::TypeMetadata>::MetadataLookup,
835            ) -> diesel::result::QueryResult<()> {
836                use diesel::query_builder::BindCollector;
837                match v {
838                    InnerBindValueKind::Sized(v) => {
839                        let v = v.downcast_ref::<T>().expect("We know the type statically here");
840                        collector.push_bound_value::<ST, T>(v, lookup)
841                    }
842                    InnerBindValueKind::Null => {
843                        collector.push_bound_value::<diesel::sql_types::Nullable<ST>, Option<T>>(&None, lookup)
844                    },
845                    _ => unreachable!("We set the value to `InnerBindValueKind::Sized` or `InnerBindValueKind::Null`")
846                }
847            }
848        }
849
850        impl<DB> PushBoundValueToCollectorDB<DB> for PushBoundValueToCollectorImpl<diesel::sql_types::Text, str>
851        where DB: diesel::backend::Backend + diesel::sql_types::HasSqlType<diesel::sql_types::Text>,
852              str: diesel::serialize::ToSql<diesel::sql_types::Text, DB> + 'static,
853        {
854            fn push_bound_value<'a: 'b, 'b>(
855                &self,
856                v: InnerBindValueKind<'a>,
857                collector: &mut <DB as diesel::backend::Backend>::BindCollector<'b>,
858                lookup: &mut <DB as diesel::sql_types::TypeMetadata>::MetadataLookup,
859            ) -> diesel::result::QueryResult<()> {
860                use diesel::query_builder::BindCollector;
861                if let InnerBindValueKind::Str(v) = v {
862                    collector.push_bound_value::<diesel::sql_types::Text, str>(v, lookup)
863                } else {
864                    unreachable!("We set the value to `InnerBindValueKind::Str`")
865                }
866            }
867        }
868
869        impl<DB> PushBoundValueToCollectorDB<DB> for PushBoundValueToCollectorImpl<diesel::sql_types::Binary, [u8]>
870        where DB: diesel::backend::Backend + diesel::sql_types::HasSqlType<diesel::sql_types::Binary>,
871              [u8]: diesel::serialize::ToSql<diesel::sql_types::Binary, DB> + 'static,
872        {
873            fn push_bound_value<'a: 'b, 'b>(
874                &self,
875                v: InnerBindValueKind<'a>,
876                collector: &mut <DB as diesel::backend::Backend>::BindCollector<'b>,
877                lookup: &mut <DB as diesel::sql_types::TypeMetadata>::MetadataLookup,
878            ) -> diesel::result::QueryResult<()> {
879                use diesel::query_builder::BindCollector;
880                if let InnerBindValueKind::Bytes(v) = v {
881                    collector.push_bound_value::<diesel::sql_types::Binary, [u8]>(v, lookup)
882                } else {
883                    unreachable!("We set the value to `InnerBindValueKind::Binary`")
884                }
885            }
886        }
887
888        trait PushBoundValueToCollector: #(#push_bound_value_super_traits +)* {}
889
890        impl<T> PushBoundValueToCollector for T
891        where T: #(#push_bound_value_super_traits + )* {}
892
893        #[derive(Default)]
894        pub struct BindValue<'a> {
895            // we use an option here to initialize an "empty"
896            // as part of the `BindCollector` impl below
897            inner: Option<InnerBindValue<'a>>
898        }
899
900        struct InnerBindValue<'a> {
901            value: InnerBindValueKind<'a>,
902            push_bound_value_to_collector: &'static dyn PushBoundValueToCollector
903        }
904
905        enum InnerBindValueKind<'a> {
906            Sized(&'a (dyn std::any::Any + std::marker::Send + std::marker::Sync)),
907            Str(&'a str),
908            Bytes(&'a [u8]),
909            Null,
910        }
911
912        impl<'a> From<(diesel::sql_types::Text, &'a str)> for BindValue<'a> {
913            fn from((_, v): (diesel::sql_types::Text, &'a str)) -> Self {
914                Self {
915                    inner: Some(InnerBindValue{
916                        value: InnerBindValueKind::Str(v),
917                        push_bound_value_to_collector: &PushBoundValueToCollectorImpl {
918                            p: std::marker::PhantomData::<(diesel::sql_types::Text, str)>
919                        }
920                    })
921                }
922            }
923        }
924
925        impl<'a> From<(diesel::sql_types::Binary, &'a [u8])> for BindValue<'a> {
926            fn from((_, v): (diesel::sql_types::Binary, &'a [u8])) -> Self {
927                Self {
928                    inner: Some(InnerBindValue {
929                        value: InnerBindValueKind::Bytes(v),
930                        push_bound_value_to_collector: &PushBoundValueToCollectorImpl {
931                            p: std::marker::PhantomData::<(diesel::sql_types::Binary, [u8])>
932                        }
933                    })
934                }
935            }
936        }
937
938        impl<'a, T, ST> From<(ST, &'a T)> for BindValue<'a>
939        where
940            T: std::any::Any #(+ #into_bind_value_bounds)* + Send + Sync + 'static,
941            ST: Send + diesel::sql_types::SqlType<IsNull = diesel::sql_types::is_nullable::NotNull> + 'static,
942            #(#has_sql_type_bounds,)*
943        {
944            fn from((_, v): (ST, &'a T)) -> Self {
945                Self {
946                    inner: Some(InnerBindValue{
947                        value: InnerBindValueKind::Sized(v),
948                        push_bound_value_to_collector: &PushBoundValueToCollectorImpl {
949                            p: std::marker::PhantomData::<(ST, T)>
950                        }
951                    })
952                }
953            }
954        }
955
956        impl<'a> diesel::query_builder::BindCollector<'a, MultiBackend> for MultiBindCollector<'a> {
957            type Buffer = multi_connection_impl::bind_collector::BindValue<'a>;
958
959            fn push_bound_value<T, U>(
960                &mut self,
961                bind: &'a U,
962                metadata_lookup: &mut (dyn std::any::Any + 'static),
963            ) -> diesel::QueryResult<()>
964            where
965                MultiBackend: diesel::sql_types::HasSqlType<T>,
966                U: diesel::serialize::ToSql<T, MultiBackend> + ?Sized + 'a,
967            {
968                let out = {
969                    let out = multi_connection_impl::bind_collector::BindValue::default();
970                    let mut out =
971                        diesel::serialize::Output::<MultiBackend>::new(out, metadata_lookup);
972                    let bind_is_null = bind.to_sql(&mut out).map_err(diesel::result::Error::SerializationError)?;
973                    if matches!(bind_is_null, diesel::serialize::IsNull::Yes) {
974                        // nulls are special and need a special handling because
975                        // there is a wildcard `ToSql` impl in diesel. That means we won't
976                        // set the `inner` field of `BindValue` to something for the `None`
977                        // case. Therefore we need to handle that explicitly here.
978                        //
979                        let metadata = <MultiBackend as diesel::sql_types::HasSqlType<T>>::metadata(metadata_lookup);
980                        match (self, metadata) {
981                            #(#push_null_to_inner_collector)*
982                            _ => {
983                                unreachable!("We have matching metadata")
984                            },
985                        }
986                       return Ok(());
987                    } else {
988                        out.into_inner()
989                    }
990                };
991                match self {
992                    #(#push_to_inner_collector)*
993                }
994
995                Ok(())
996            }
997
998            fn push_null_value(&mut self, metadata: super::backend::MultiTypeMetadata) -> diesel::QueryResult<()> {
999                match (self, metadata) {
1000                    #(#push_null_to_inner_collector)*
1001                    _ => unreachable!("We have matching metadata"),
1002                }
1003                Ok(())
1004            }
1005        }
1006
1007        #(#to_sql_impls)*
1008        #(#from_sql_impls)*
1009
1010    }
1011}
1012
1013fn generate_has_sql_type_impls(sql_type: TokenStream) -> TokenStream {
1014    quote::quote! {
1015        impl diesel::sql_types::HasSqlType<#sql_type> for super::MultiBackend {
1016            fn metadata(lookup: &mut Self::MetadataLookup) -> Self::TypeMetadata {
1017                Self::lookup_sql_type::<#sql_type>(lookup)
1018            }
1019        }
1020    }
1021}
1022
1023fn generate_from_sql_impls((sql_type, tpe): (TokenStream, TokenStream)) -> TokenStream {
1024    quote::quote! {
1025        impl diesel::deserialize::FromSql<#sql_type, super::MultiBackend> for #tpe {
1026            fn from_sql(
1027                bytes: <super::MultiBackend as diesel::backend::Backend>::RawValue<'_>,
1028            ) -> diesel::deserialize::Result<Self> {
1029                bytes.from_sql::<Self, #sql_type>()
1030            }
1031        }
1032
1033    }
1034}
1035
1036fn generate_to_sql_impls(
1037    (sql_type, tpe): (TokenStream, TokenStream),
1038    _connection_types: &[ConnectionVariant],
1039) -> TokenStream {
1040    quote::quote! {
1041        impl diesel::serialize::ToSql<#sql_type, super::MultiBackend> for #tpe {
1042            fn to_sql<'b>(
1043                &'b self,
1044                out: &mut diesel::serialize::Output<'b, '_, super::MultiBackend>,
1045            ) -> diesel::serialize::Result {
1046                out.set_value((#sql_type, self));
1047                Ok(diesel::serialize::IsNull::No)
1048            }
1049        }
1050    }
1051}
1052
1053fn generate_queryfragment_impls(
1054    trait_def: TokenStream,
1055    query_fragment_bounds: &[TokenStream],
1056) -> TokenStream {
1057    quote::quote! {
1058        impl #trait_def
1059        where
1060            Self: #(#query_fragment_bounds+)*
1061        {
1062            fn walk_ast<'b>(
1063                &'b self,
1064                pass: diesel::query_builder::AstPass<'_, 'b, MultiBackend>,
1065            ) -> diesel::QueryResult<()> {
1066                super::backend::MultiBackend::walk_variant_ast(self, pass)
1067            }
1068        }
1069    }
1070}
1071
1072fn generate_querybuilder(connection_types: &[ConnectionVariant]) -> TokenStream {
1073    let variants = connection_types.iter().map(|c| {
1074        let ident = c.name;
1075        let ty = c.ty;
1076        quote::quote! {
1077            #ident(<<#ty as diesel::Connection>::Backend as diesel::backend::Backend>::QueryBuilder)
1078        }
1079    });
1080
1081    let push_sql_impl = connection_types.iter().map(|c| {
1082        let ident = c.name;
1083        quote::quote! {
1084            Self::#ident(q) => q.push_sql(sql)
1085        }
1086    });
1087
1088    let push_identifier_impl = connection_types.iter().map(|c| {
1089        let ident = c.name;
1090        quote::quote! {
1091            Self::#ident(q) => q.push_identifier(identifier)
1092        }
1093    });
1094
1095    let push_bind_param_impl = connection_types.iter().map(|c| {
1096        let ident = c.name;
1097        quote::quote! {
1098            Self::#ident(q) => q.push_bind_param()
1099        }
1100    });
1101
1102    let finish_impl = connection_types.iter().map(|c| {
1103        let ident = c.name;
1104        quote::quote! {
1105            Self::#ident(q) => q.finish()
1106        }
1107    });
1108
1109    let into_variant_functions = connection_types.iter().map(|c|{
1110        let ty = c.ty;
1111        let ident = c.name;
1112        let lower_ident = syn::Ident::new(&ident.to_string().to_lowercase(), ident.span());
1113        quote::quote! {
1114            pub(super) fn #lower_ident(&mut self) -> &mut <<#ty as diesel::Connection>::Backend as diesel::backend::Backend>::QueryBuilder {
1115                match self {
1116                    Self::#ident(qb) => qb,
1117                    _ => unreachable!(),
1118                }
1119            }
1120        }
1121    });
1122
1123    let query_fragment_bounds = connection_types.iter().map(|c| {
1124        let ty = c.ty;
1125        quote::quote! {
1126            diesel::query_builder::QueryFragment<<#ty as diesel::connection::Connection>::Backend>
1127        }
1128    }).collect::<Vec<_>>();
1129
1130    let duplicate_query_builder = connection_types.iter().map(|c| {
1131        let ident = c.name;
1132        quote::quote! {
1133            Self::#ident(_) => Self::#ident(Default::default())
1134        }
1135    });
1136
1137    let query_fragment = quote::quote! {
1138        diesel::query_builder::QueryFragment<super::backend::MultiBackend>
1139    };
1140
1141    let query_fragment_impls = IntoIterator::into_iter([
1142        quote::quote!{
1143            <L, O> #query_fragment for diesel::internal::derives::multiconnection::LimitOffsetClause<L, O>
1144        },
1145        quote::quote! {
1146            <L, R> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiConcatClauseSyntax>
1147                for diesel::internal::derives::multiconnection::Concat<L, R>
1148        },
1149        quote::quote! {
1150            <T, U> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiArrayComparisonSyntax>
1151                for diesel::internal::derives::multiconnection::array_comparison::In<T, U>
1152        },
1153        quote::quote! {
1154            <T, U> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiArrayComparisonSyntax>
1155                for diesel::internal::derives::multiconnection::array_comparison::NotIn<T, U>
1156        },
1157        quote::quote! {
1158            <ST, I> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiArrayComparisonSyntax>
1159                for diesel::internal::derives::multiconnection::array_comparison::Many<ST, I>
1160        },
1161        quote::quote! {
1162            <T> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiExistsSyntax>
1163                for diesel::internal::derives::multiconnection::Exists<T>
1164        },
1165        quote::quote! {
1166            diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiEmptyFromClauseSyntax>
1167                for diesel::internal::derives::multiconnection::NoFromClause
1168        },
1169        quote::quote! {
1170            diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiDefaultValueClauseForInsert>
1171                for diesel::internal::derives::multiconnection::DefaultValues
1172        },
1173        quote::quote! {
1174            <Expr> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiReturningClause>
1175                for diesel::internal::derives::multiconnection::ReturningClause<Expr>
1176        },
1177        quote::quote! {
1178            <Expr> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiInsertWithDefaultKeyword>
1179                for diesel::insertable::DefaultableColumnInsertValue<Expr>
1180        },
1181        quote::quote! {
1182            <Tab, V, QId, const HAS_STATIC_QUERY_ID: bool> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiBatchInsertSupport>
1183                for diesel::internal::derives::multiconnection::BatchInsert<V, Tab, QId, HAS_STATIC_QUERY_ID>
1184        },
1185        quote::quote! {
1186            <S> diesel::query_builder::QueryFragment<super::backend::MultiBackend, super::backend::MultiAliasSyntax>
1187                for diesel::query_source::Alias<S>
1188        }
1189    ])
1190    .map(|t| generate_queryfragment_impls(t, &query_fragment_bounds));
1191
1192    let insert_values_impl_variants = connection_types.iter().map(|c| {
1193        let ident = c.name;
1194        let lower_ident = syn::Ident::new(&ident.to_string().to_lowercase(), c.name.span());
1195        let ty = c.ty;
1196        quote::quote! {
1197            super::backend::MultiBackend::#ident(_) => {
1198                <Self as diesel::insertable::InsertValues<<#ty as diesel::connection::Connection>::Backend, Col::Table>>::column_names(
1199                    &self,
1200                    out.cast_database(
1201                        super::bind_collector::MultiBindCollector::#lower_ident,
1202                        super::query_builder::MultiQueryBuilder::#lower_ident,
1203                        super::backend::MultiBackend::#lower_ident,
1204                        |l| {
1205                            <#ty as diesel::internal::derives::multiconnection::MultiConnectionHelper>::from_any(l)
1206                                .expect("It's possible to downcast the metadata lookup type to the correct type")
1207                        },
1208                    ),
1209                )
1210            }
1211        }
1212    });
1213
1214    let insert_values_backend_bounds = connection_types.iter().map(|c| {
1215        let ty = c.ty;
1216        quote::quote! {
1217            diesel::insertable::DefaultableColumnInsertValue<diesel::insertable::ColumnInsertValue<Col, Expr>>: diesel::insertable::InsertValues<<#ty as diesel::connection::Connection>::Backend, Col::Table>
1218        }
1219    });
1220
1221    quote::quote! {
1222        pub enum MultiQueryBuilder {
1223            #(#variants,)*
1224        }
1225
1226        impl MultiQueryBuilder {
1227            pub(super) fn duplicate(&self) -> Self {
1228                match self {
1229                    #(#duplicate_query_builder,)*
1230                }
1231            }
1232        }
1233
1234        impl MultiQueryBuilder {
1235            #(#into_variant_functions)*
1236        }
1237
1238        impl diesel::query_builder::QueryBuilder<super::MultiBackend> for MultiQueryBuilder {
1239            fn push_sql(&mut self, sql: &str) {
1240                match self {
1241                    #(#push_sql_impl,)*
1242                }
1243            }
1244
1245            fn push_identifier(&mut self, identifier: &str) -> diesel::QueryResult<()> {
1246                match self {
1247                    #(#push_identifier_impl,)*
1248                }
1249            }
1250
1251            fn push_bind_param(&mut self) {
1252                match self {
1253                    #(#push_bind_param_impl,)*
1254                }
1255            }
1256
1257            fn finish(self) -> String {
1258                match self {
1259                    #(#finish_impl,)*
1260                }
1261            }
1262        }
1263
1264        #(#query_fragment_impls)*
1265
1266        impl<F, S, D, W, O, LOf, G, H, LC>
1267            diesel::query_builder::QueryFragment<
1268                super::backend::MultiBackend,
1269                super::backend::MultiSelectStatementSyntax,
1270            >
1271            for diesel::internal::derives::multiconnection::SelectStatement<
1272                F,
1273                S,
1274                D,
1275                W,
1276                O,
1277                LOf,
1278                G,
1279                H,
1280                LC,
1281            >
1282        where
1283            S: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1284            F: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1285            D: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1286            W: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1287            O: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1288            LOf: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1289            G: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1290            H: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1291            LC: diesel::query_builder::QueryFragment<super::backend::MultiBackend>,
1292        {
1293            fn walk_ast<'b>(
1294                &'b self,
1295                mut out: diesel::query_builder::AstPass<'_, 'b, MultiBackend>,
1296            ) -> diesel::QueryResult<()> {
1297                use diesel::internal::derives::multiconnection::SelectStatementAccessor;
1298
1299                out.push_sql("SELECT ");
1300                self.distinct_clause().walk_ast(out.reborrow())?;
1301                self.select_clause().walk_ast(out.reborrow())?;
1302                self.from_clause().walk_ast(out.reborrow())?;
1303                self.where_clause().walk_ast(out.reborrow())?;
1304                self.group_by_clause().walk_ast(out.reborrow())?;
1305                self.having_clause().walk_ast(out.reborrow())?;
1306                self.order_clause().walk_ast(out.reborrow())?;
1307                self.limit_offset_clause().walk_ast(out.reborrow())?;
1308                self.locking_clause().walk_ast(out.reborrow())?;
1309                Ok(())
1310            }
1311        }
1312
1313        impl<'a, ST, QS, GB>
1314            diesel::query_builder::QueryFragment<
1315            super::backend::MultiBackend,
1316            super::backend::MultiSelectStatementSyntax,
1317        >
1318            for diesel::internal::derives::multiconnection::BoxedSelectStatement<
1319                'a,
1320                ST,
1321                QS,
1322                super::backend::MultiBackend,
1323                GB,
1324            >
1325        where
1326            QS: diesel::query_builder::QueryFragment<super::backend::MultiBackend>
1327        {
1328            fn walk_ast<'b>(
1329                &'b self,
1330                pass: diesel::query_builder::AstPass<'_, 'b, MultiBackend>,
1331            ) -> diesel::QueryResult<()> {
1332                use diesel::internal::derives::multiconnection::BoxedQueryHelper;
1333                self.build_query(pass, |where_clause, pass| where_clause.walk_ast(pass))
1334            }
1335        }
1336
1337        impl diesel::query_builder::QueryFragment<super::backend::MultiBackend>
1338            for diesel::internal::derives::multiconnection::BoxedLimitOffsetClause<
1339                '_,
1340                super::backend::MultiBackend,
1341            >
1342        {
1343            fn walk_ast<'b>(
1344                &'b self,
1345                mut pass: diesel::query_builder::AstPass<'_, 'b, MultiBackend>,
1346            ) -> diesel::QueryResult<()> {
1347                if let Some(ref limit) = self.limit {
1348                    limit.walk_ast(pass.reborrow())?;
1349                }
1350                if let Some(ref offset) = self.offset {
1351                    offset.walk_ast(pass.reborrow())?;
1352                }
1353                Ok(())
1354            }
1355        }
1356
1357        impl<'a> diesel::query_builder::IntoBoxedClause<'a, super::multi_connection_impl::backend::MultiBackend>
1358            for diesel::internal::derives::multiconnection::LimitOffsetClause<diesel::internal::derives::multiconnection::NoLimitClause, diesel::internal::derives::multiconnection::NoOffsetClause>
1359        {
1360            type BoxedClause = diesel::internal::derives::multiconnection::BoxedLimitOffsetClause<'a, super::multi_connection_impl::backend::MultiBackend>;
1361
1362            fn into_boxed(self) -> Self::BoxedClause {
1363                diesel::internal::derives::multiconnection::BoxedLimitOffsetClause {
1364                    limit: None,
1365                    offset: None,
1366                }
1367            }
1368        }
1369        impl<'a, L> diesel::query_builder::IntoBoxedClause<'a, super::multi_connection_impl::backend::MultiBackend>
1370            for diesel::internal::derives::multiconnection::LimitOffsetClause<diesel::internal::derives::multiconnection::LimitClause<L>, diesel::internal::derives::multiconnection::NoOffsetClause>
1371        where diesel::internal::derives::multiconnection::LimitClause<L>: diesel::query_builder::QueryFragment<super::backend::MultiBackend> + Send + 'static,
1372        {
1373            type BoxedClause = diesel::internal::derives::multiconnection::BoxedLimitOffsetClause<'a, super::multi_connection_impl::backend::MultiBackend>;
1374            fn into_boxed(self) -> Self::BoxedClause {
1375                diesel::internal::derives::multiconnection::BoxedLimitOffsetClause {
1376                    limit: Some(Box::new(self.limit_clause)),
1377                    offset: None,
1378                }
1379            }
1380        }
1381        impl<'a, O> diesel::query_builder::IntoBoxedClause<'a, super::multi_connection_impl::backend::MultiBackend>
1382            for diesel::internal::derives::multiconnection::LimitOffsetClause<diesel::internal::derives::multiconnection::NoLimitClause, diesel::internal::derives::multiconnection::OffsetClause<O>>
1383        where diesel::internal::derives::multiconnection::OffsetClause<O>: diesel::query_builder::QueryFragment<super::backend::MultiBackend> + Send + 'static,
1384
1385        {
1386            type BoxedClause = diesel::internal::derives::multiconnection::BoxedLimitOffsetClause<'a, super::multi_connection_impl::backend::MultiBackend>;
1387            fn into_boxed(self) -> Self::BoxedClause {
1388                diesel::internal::derives::multiconnection::BoxedLimitOffsetClause {
1389                    limit: None,
1390                    offset: Some(Box::new(self.offset_clause)),
1391                }
1392            }
1393        }
1394        impl<'a, L, O> diesel::query_builder::IntoBoxedClause<'a, super::multi_connection_impl::backend::MultiBackend>
1395            for diesel::internal::derives::multiconnection::LimitOffsetClause<diesel::internal::derives::multiconnection::LimitClause<L>, diesel::internal::derives::multiconnection::OffsetClause<O>>
1396        where diesel::internal::derives::multiconnection::LimitClause<L>: diesel::query_builder::QueryFragment<super::backend::MultiBackend> + Send + 'static,
1397              diesel::internal::derives::multiconnection::OffsetClause<O>: diesel::query_builder::QueryFragment<super::backend::MultiBackend> + Send + 'static,
1398        {
1399            type BoxedClause = diesel::internal::derives::multiconnection::BoxedLimitOffsetClause<'a, super::multi_connection_impl::backend::MultiBackend>;
1400            fn into_boxed(self) -> Self::BoxedClause {
1401                diesel::internal::derives::multiconnection::BoxedLimitOffsetClause {
1402                    limit: Some(Box::new(self.limit_clause)),
1403                    offset: Some(Box::new(self.offset_clause)),
1404                }
1405            }
1406        }
1407
1408        impl<Col, Expr> diesel::insertable::InsertValues<super::multi_connection_impl::backend::MultiBackend, Col::Table>
1409            for diesel::insertable::DefaultableColumnInsertValue<diesel::insertable::ColumnInsertValue<Col, Expr>>
1410        where
1411            Col: diesel::prelude::Column,
1412            Expr: diesel::prelude::Expression<SqlType = Col::SqlType>,
1413            Expr: diesel::prelude::AppearsOnTable<diesel::internal::derives::multiconnection::NoFromClause>,
1414            Self: diesel::query_builder::QueryFragment<super::multi_connection_impl::backend::MultiBackend>,
1415            #(#insert_values_backend_bounds,)*
1416        {
1417            fn column_names(
1418                &self,
1419                mut out: diesel::query_builder::AstPass<'_, '_, super::multi_connection_impl::backend::MultiBackend>
1420            ) -> QueryResult<()> {
1421                use diesel::internal::derives::multiconnection::AstPassHelper;
1422
1423                match out.backend() {
1424                    #(#insert_values_impl_variants,)*
1425                }
1426            }
1427        }
1428    }
1429}
1430
1431fn generate_backend(connection_types: &[ConnectionVariant]) -> TokenStream {
1432    let backend_variants = connection_types.iter().map(|c| {
1433        let ident = c.name;
1434        let ty = c.ty;
1435        quote::quote! {
1436            #ident(<#ty as diesel::Connection>::Backend)
1437        }
1438    });
1439
1440    let value_variants = connection_types.iter().map(|c| {
1441        let ident = c.name;
1442        let ty = c.ty;
1443        quote::quote! {
1444            #ident(<<#ty as diesel::Connection>::Backend as diesel::backend::Backend>::RawValue<'a>)
1445        }
1446    });
1447
1448    let type_metadata_variants = connection_types.iter().map(|c| {
1449        let ident = c.name;
1450        let ty = c.ty;
1451        quote::quote! {
1452            pub(super) #ident: Option<<<#ty as diesel::Connection>::Backend as diesel::sql_types::TypeMetadata>::TypeMetadata>
1453        }
1454    });
1455
1456    let has_sql_type_impls = vec![
1457        quote::quote!(diesel::sql_types::SmallInt),
1458        quote::quote!(diesel::sql_types::Integer),
1459        quote::quote!(diesel::sql_types::BigInt),
1460        quote::quote!(diesel::sql_types::Double),
1461        quote::quote!(diesel::sql_types::Float),
1462        quote::quote!(diesel::sql_types::Text),
1463        quote::quote!(diesel::sql_types::Binary),
1464        quote::quote!(diesel::sql_types::Date),
1465        quote::quote!(diesel::sql_types::Time),
1466        quote::quote!(diesel::sql_types::Timestamp),
1467        quote::quote!(diesel::sql_types::Bool),
1468    ]
1469    .into_iter()
1470    .map(generate_has_sql_type_impls);
1471
1472    let into_variant_functions = connection_types.iter().map(|c| {
1473        let ty = c.ty;
1474        let ident = c.name;
1475        let lower_ident = syn::Ident::new(&ident.to_string().to_lowercase(), ident.span());
1476        quote::quote! {
1477            pub(super) fn #lower_ident(&self) -> &<#ty as diesel::Connection>::Backend {
1478                match self {
1479                    Self::#ident(b) => b,
1480                    _ => unreachable!(),
1481                }
1482            }
1483        }
1484    });
1485
1486    let from_sql_match_arms = connection_types.iter().map(|v| {
1487        let ident = v.name;
1488        let ty = v.ty;
1489        quote::quote!{
1490            Self::#ident(b) => {
1491                <T as diesel::deserialize::FromSql<ST, <#ty as diesel::Connection>::Backend>>::from_sql(b)
1492            }
1493        }
1494    });
1495
1496    let backend_from_sql_bounds = connection_types.iter().map(|v| {
1497        let ty = v.ty;
1498        quote::quote! {
1499            T: diesel::deserialize::FromSql<ST, <#ty as diesel::Connection>::Backend>
1500        }
1501    });
1502
1503    let query_fragment_impl_variants = connection_types.iter().map(|c| {
1504        let ident = c.name;
1505        let lower_ident = syn::Ident::new(&ident.to_string().to_lowercase(), c.name.span());
1506        let ty = c.ty;
1507        quote::quote! {
1508            super::backend::MultiBackend::#ident(_) => {
1509                <T as diesel::query_builder::QueryFragment<<#ty as diesel::connection::Connection>::Backend>>::walk_ast(
1510                    ast_node,
1511                    pass.cast_database(
1512                        super::bind_collector::MultiBindCollector::#lower_ident,
1513                        super::query_builder::MultiQueryBuilder::#lower_ident,
1514                        super::backend::MultiBackend::#lower_ident,
1515                        |l| {
1516                            <#ty as diesel::internal::derives::multiconnection::MultiConnectionHelper>::from_any(l)
1517                                .expect("It's possible to downcast the metadata lookup type to the correct type")
1518                        },
1519                    ),
1520                )
1521            }
1522        }
1523    });
1524
1525    let query_fragment_impl_bounds = connection_types.iter().map(|c| {
1526        let ty = c.ty;
1527
1528        quote::quote! {
1529            T: diesel::query_builder::QueryFragment<<#ty as diesel::Connection>::Backend>
1530        }
1531    });
1532
1533    let lookup_impl = connection_types.iter().map(|v| {
1534        let name = v.name;
1535        let ty = v.ty;
1536
1537        quote::quote!{
1538            if let Some(lookup) = <#ty as diesel::internal::derives::multiconnection::MultiConnectionHelper>::from_any(lookup) {
1539                ret.#name = Some(<<#ty as diesel::Connection>::Backend as diesel::sql_types::HasSqlType<ST>>::metadata(lookup));
1540            }
1541        }
1542
1543    });
1544
1545    let lookup_sql_type_bounds = connection_types.iter().map(|c| {
1546        let ty = c.ty;
1547        quote::quote! {
1548            <#ty as diesel::Connection>::Backend: diesel::sql_types::HasSqlType<ST>
1549        }
1550    });
1551
1552    quote::quote! {
1553        pub enum MultiBackend {
1554            #(#backend_variants,)*
1555        }
1556
1557        impl MultiBackend {
1558            #(#into_variant_functions)*
1559
1560            pub fn lookup_sql_type<ST>(lookup: &mut dyn std::any::Any) -> MultiTypeMetadata
1561            where #(#lookup_sql_type_bounds,)*
1562            {
1563                let mut ret = MultiTypeMetadata::default();
1564                #(#lookup_impl)*
1565                ret
1566            }
1567        }
1568
1569        impl MultiBackend {
1570            pub fn walk_variant_ast<'b, T>(
1571                ast_node: &'b T,
1572                pass: diesel::query_builder::AstPass<'_, 'b, Self>,
1573            ) -> diesel::QueryResult<()>
1574            where #(#query_fragment_impl_bounds,)*
1575            {
1576                use diesel::internal::derives::multiconnection::AstPassHelper;
1577                match pass.backend() {
1578                    #(#query_fragment_impl_variants,)*
1579                }
1580            }
1581        }
1582
1583        pub enum MultiRawValue<'a> {
1584            #(#value_variants,)*
1585        }
1586
1587        impl MultiRawValue<'_> {
1588            pub fn from_sql<T, ST>(self) -> diesel::deserialize::Result<T>
1589            where #(#backend_from_sql_bounds,)*
1590            {
1591                match self {
1592                    #(#from_sql_match_arms,)*
1593                }
1594            }
1595        }
1596
1597        impl diesel::backend::Backend for MultiBackend {
1598            type QueryBuilder = super::query_builder::MultiQueryBuilder;
1599            type RawValue<'a> = MultiRawValue<'a>;
1600            type BindCollector<'a> = super::bind_collector::MultiBindCollector<'a>;
1601        }
1602
1603        #[derive(Default)]
1604        #[allow(non_snake_case)]
1605        pub struct MultiTypeMetadata {
1606            #(#type_metadata_variants,)*
1607        }
1608
1609        impl diesel::sql_types::TypeMetadata for MultiBackend {
1610            type TypeMetadata = MultiTypeMetadata;
1611
1612            type MetadataLookup = dyn std::any::Any;
1613        }
1614
1615        pub struct MultiReturningClause;
1616        pub struct MultiInsertWithDefaultKeyword;
1617        pub struct MultiBatchInsertSupport;
1618        pub struct MultiDefaultValueClauseForInsert;
1619        pub struct MultiEmptyFromClauseSyntax;
1620        pub struct MultiExistsSyntax;
1621        pub struct MultiArrayComparisonSyntax;
1622        pub struct MultiConcatClauseSyntax;
1623        pub struct MultiSelectStatementSyntax;
1624        pub struct MultiAliasSyntax;
1625
1626        impl diesel::backend::SqlDialect for MultiBackend {
1627            type ReturningClause = MultiReturningClause;
1628            // no on conflict support is also the default
1629            type OnConflictClause = diesel::internal::derives::multiconnection::sql_dialect::on_conflict_clause::DoesNotSupportOnConflictClause;
1630            type InsertWithDefaultKeyword = MultiInsertWithDefaultKeyword;
1631            type BatchInsertSupport = MultiBatchInsertSupport;
1632            type DefaultValueClauseForInsert = MultiDefaultValueClauseForInsert;
1633            type EmptyFromClauseSyntax = MultiEmptyFromClauseSyntax;
1634            type ExistsSyntax = MultiExistsSyntax;
1635            type ArrayComparison = MultiArrayComparisonSyntax;
1636            type ConcatClause = MultiConcatClauseSyntax;
1637            type SelectStatementSyntax = MultiSelectStatementSyntax;
1638            type AliasSyntax = MultiAliasSyntax;
1639        }
1640
1641        impl diesel::internal::derives::multiconnection::TrustedBackend for MultiBackend {}
1642        impl diesel::internal::derives::multiconnection::DieselReserveSpecialization for MultiBackend {}
1643
1644        #(#has_sql_type_impls)*
1645    }
1646}