diesel/associations/
belongs_to.rs

1use super::HasTable;
2use crate::dsl::{Eq, EqAny, Filter, FindBy};
3use crate::expression::array_comparison::AsInExpression;
4use crate::expression::AsExpression;
5use crate::prelude::*;
6use crate::query_dsl::methods::FilterDsl;
7use crate::sql_types::SqlType;
8
9use std::borrow::Borrow;
10use std::hash::Hash;
11
12/// Indicates that a type belongs to `Parent`
13///
14/// Specifically, this means that this struct has fields
15/// which correspond to the primary key of `Parent`.
16/// This implies that a foreign key relationship exists on the tables.
17///
18/// This trait is not capable of supporting composite foreign keys
19pub trait BelongsTo<Parent> {
20    /// The foreign key of this struct
21    type ForeignKey: Hash + ::std::cmp::Eq;
22    /// The database column representing the foreign key
23    /// of the table this struct represents
24    type ForeignKeyColumn: Column;
25
26    /// Returns the foreign key for `self`
27    fn foreign_key(&self) -> Option<&Self::ForeignKey>;
28    /// Returns the foreign key column of this struct's table
29    fn foreign_key_column() -> Self::ForeignKeyColumn;
30}
31
32/// The `grouped_by` function groups records by their parent.
33///
34/// `grouped_by` is called on a `Vec<Child>` with a `&[Parent]`.
35/// The return value will be `Vec<Vec<Child>>` indexed to match their parent.
36/// Or to put it another way, the returned data can be passed to `zip`,
37/// and it will be combined with its parent.
38/// This function does not generate a `GROUP BY` SQL statement,
39/// as it operates on data structures already loaded from the database
40///
41/// **Child** refers to the "many" part of a "one to many" relationship. It "belongs to" its parent
42/// **Parent** refers to the "one" part of a "one to many" relationship and can "have many" children.
43/// The child always has a foreign key, which refers to its parent's primary key.
44/// In the following relationship, User has many Posts,
45/// so User is the parent and Posts are children.
46///
47/// # Example
48///
49/// ```rust
50/// # include!("../doctest_setup.rs");
51/// # use schema::{posts, users};
52/// #
53/// # #[derive(Identifiable, Queryable, PartialEq, Debug)]
54/// # pub struct User {
55/// #     id: i32,
56/// #     name: String,
57/// # }
58/// #
59/// # #[derive(Debug, PartialEq)]
60/// # #[derive(Identifiable, Queryable, Associations)]
61/// # #[diesel(belongs_to(User))]
62/// # pub struct Post {
63/// #     id: i32,
64/// #     user_id: i32,
65/// #     title: String,
66/// # }
67/// #
68/// # fn main() {
69/// #     run_test();
70/// # }
71/// #
72/// # fn run_test() -> QueryResult<()> {
73/// #     let connection = &mut establish_connection();
74/// let users = users::table.load::<User>(connection)?;
75/// let posts = Post::belonging_to(&users)
76///     .load::<Post>(connection)?
77///     .grouped_by(&users);
78/// let data = users.into_iter().zip(posts).collect::<Vec<_>>();
79///
80/// let expected_data = vec![
81///     (
82///         User { id: 1, name: "Sean".into() },
83///         vec![
84///             Post { id: 1, user_id: 1, title: "My first post".into() },
85///             Post { id: 2, user_id: 1, title: "About Rust".into() },
86///         ],
87///     ),
88///     (
89///         User { id: 2, name: "Tess".into() },
90///         vec![
91///             Post { id: 3, user_id: 2, title: "My first post too".into() },
92///         ],
93///     ),
94/// ];
95///
96/// assert_eq!(expected_data, data);
97/// #     Ok(())
98/// # }
99/// ```
100///
101/// See [the module documentation] for more examples
102///
103/// [the module documentation]: super
104pub trait GroupedBy<'a, Parent>: IntoIterator + Sized {
105    /// See the trait documentation.
106    fn grouped_by(self, parents: &'a [Parent]) -> Vec<Vec<Self::Item>>;
107
108    /// A fallible alternative to [`GroupedBy::grouped_by`].
109    ///
110    /// If any child record could not be grouped,
111    /// either because of a `NULL` foreign key,
112    /// or a parent record with a matching key could not be found,
113    /// this function should return `Err`,
114    /// with all successfully grouped records, as well as any ungrouped records.
115    ///
116    /// # Errors
117    ///
118    /// If a parent record could not be found for any of the child records,
119    /// this function should return the `TryGroupedByError`.
120    /// Every supplied record should be contained in the returned error,
121    /// either in the `grouped` field, if it was successfully grouped,
122    /// or the `ungrouped` field, if it was not possible to associate
123    /// with a parent record.
124    ///
125    /// # Examples
126    ///
127    /// ```rust
128    /// # include!("../doctest_setup.rs");
129    /// # use diesel::associations::TryGroupedByError;
130    /// # use schema::{posts, users};
131    /// #
132    /// # #[derive(Identifiable, Queryable, PartialEq, Debug)]
133    /// # pub struct User {
134    /// #     id: i32,
135    /// #     name: String,
136    /// # }
137    /// #
138    /// # #[derive(Debug, PartialEq)]
139    /// # #[derive(Identifiable, Queryable, Associations)]
140    /// # #[diesel(belongs_to(User))]
141    /// # pub struct Post {
142    /// #     id: i32,
143    /// #     user_id: i32,
144    /// #     title: String,
145    /// # }
146    /// #
147    /// # fn main() {
148    /// #     run_test();
149    /// # }
150    /// #
151    /// # fn run_test() -> QueryResult<()> {
152    /// #     let connection = &mut establish_connection();
153    /// let users = users::table.load::<User>(connection)?;
154    /// let mut posts = Post::belonging_to(&users)
155    ///     .load::<Post>(connection)?;
156    /// posts.push(
157    ///     Post { id: 9, user_id: 42, title: "A post returned from another query".into() }
158    /// );
159    /// let TryGroupedByError { grouped, ungrouped, .. } = posts.try_grouped_by(&users).unwrap_err();
160    ///
161    /// let grouped_data = users.into_iter().zip(grouped).collect::<Vec<_>>();
162    ///
163    /// let expected_grouped_data = vec![
164    ///     (
165    ///         User { id: 1, name: "Sean".into() },
166    ///         vec![
167    ///             Post { id: 1, user_id: 1, title: "My first post".into() },
168    ///             Post { id: 2, user_id: 1, title: "About Rust".into() },
169    ///         ],
170    ///     ),
171    ///     (
172    ///         User { id: 2, name: "Tess".into() },
173    ///         vec![
174    ///             Post { id: 3, user_id: 2, title: "My first post too".into() },
175    ///         ],
176    ///     ),
177    /// ];
178    ///
179    /// let expected_ungrouped_data = vec![
180    ///     Post { id: 9, user_id: 42, title: "A post returned from another query".into() }
181    /// ];
182    ///
183    /// assert_eq!(expected_grouped_data, grouped_data);
184    /// assert_eq!(expected_ungrouped_data, ungrouped);
185    /// #     Ok(())
186    /// # }
187    /// ```
188    fn try_grouped_by(
189        self,
190        parents: &'a [Parent],
191    ) -> Result<Vec<Vec<Self::Item>>, TryGroupedByError<Self::Item>> {
192        Ok(self.grouped_by(parents))
193    }
194}
195
196/// A type of error which can be returned when attempting to group
197/// a list of records.
198///
199/// If a child record has a nullable foreign key, or is being grouped
200/// using a different relationship to the one that was used to query it,
201/// it may not be possible to find a parent record it should be grouped by.
202///
203/// When encountering these missing relationships,
204/// it may still be possible to group remaining records,
205/// but would affect the contents of the returned values.
206/// By extracting the contents of this struct, it is still possible
207/// to use these resulting groups, as well as any records
208/// that could not be grouped.
209#[derive(Debug, Clone, PartialEq, PartialOrd, Eq, Ord, Hash)]
210#[non_exhaustive]
211pub struct TryGroupedByError<Child> {
212    /// The collection of records which were successfully indexed
213    /// against a parent record.
214    pub grouped: Vec<Vec<Child>>,
215    /// The collection of records that could not be indexed
216    /// against a parent record.
217    pub ungrouped: Vec<Child>,
218}
219
220type Id<T> = <T as Identifiable>::Id;
221
222impl<Child> TryGroupedByError<Child> {
223    /// Creates a `TryGroupedByError`.
224    ///
225    /// This is generally used by methods like [`GroupedBy::try_grouped_by`].
226    pub fn new(grouped: Vec<Vec<Child>>, ungrouped: Vec<Child>) -> Self {
227        Self { grouped, ungrouped }
228    }
229}
230
231impl<'a, Parent: 'a, Child, Iter> GroupedBy<'a, Parent> for Iter
232where
233    Iter: IntoIterator<Item = Child>,
234    Child: BelongsTo<Parent>,
235    &'a Parent: Identifiable,
236    Id<&'a Parent>: Borrow<Child::ForeignKey>,
237{
238    fn grouped_by(self, parents: &'a [Parent]) -> Vec<Vec<Child>> {
239        use std::collections::HashMap;
240
241        let id_indices: HashMap<_, _> = parents
242            .iter()
243            .enumerate()
244            .map(|(i, u)| (u.id(), i))
245            .collect();
246        let mut result = parents.iter().map(|_| Vec::new()).collect::<Vec<_>>();
247        for child in self {
248            if let Some(index) = child.foreign_key().map(|i| id_indices[i]) {
249                result[index].push(child);
250            }
251        }
252        result
253    }
254
255    fn try_grouped_by(
256        self,
257        parents: &'a [Parent],
258    ) -> Result<Vec<Vec<Child>>, TryGroupedByError<Child>> {
259        use std::collections::HashMap;
260        use std::iter;
261
262        let mut grouped: Vec<_> = iter::repeat_with(Vec::new).take(parents.len()).collect();
263        let mut ungrouped: Vec<_> = Vec::new();
264
265        let id_indices: HashMap<_, _> = parents
266            .iter()
267            .enumerate()
268            .map(|(i, u)| (u.id(), i))
269            .collect();
270
271        for child in self {
272            child
273                .foreign_key()
274                .and_then(|i| id_indices.get(i))
275                .map_or(&mut ungrouped, |i| &mut grouped[*i])
276                .push(child);
277        }
278
279        if ungrouped.is_empty() {
280            Ok(grouped)
281        } else {
282            Err(TryGroupedByError::new(grouped, ungrouped))
283        }
284    }
285}
286
287impl<'a, Parent, Child> BelongingToDsl<&'a Parent> for Child
288where
289    &'a Parent: Identifiable,
290    Child: HasTable + BelongsTo<Parent>,
291    Id<&'a Parent>: AsExpression<<Child::ForeignKeyColumn as Expression>::SqlType>,
292    Child::Table: FilterDsl<Eq<Child::ForeignKeyColumn, Id<&'a Parent>>>,
293    Child::ForeignKeyColumn: ExpressionMethods,
294    <Child::ForeignKeyColumn as Expression>::SqlType: SqlType,
295{
296    type Output = FindBy<Child::Table, Child::ForeignKeyColumn, Id<&'a Parent>>;
297
298    fn belonging_to(parent: &'a Parent) -> Self::Output {
299        FilterDsl::filter(Child::table(), Child::foreign_key_column().eq(parent.id()))
300    }
301}
302
303impl<'a, Parent, Child> BelongingToDsl<&'a [Parent]> for Child
304where
305    &'a Parent: Identifiable,
306    Child: HasTable + BelongsTo<Parent>,
307    Vec<Id<&'a Parent>>: AsInExpression<<Child::ForeignKeyColumn as Expression>::SqlType>,
308    <Child as HasTable>::Table: FilterDsl<EqAny<Child::ForeignKeyColumn, Vec<Id<&'a Parent>>>>,
309    Child::ForeignKeyColumn: ExpressionMethods,
310    <Child::ForeignKeyColumn as Expression>::SqlType: SqlType,
311{
312    type Output = Filter<Child::Table, EqAny<Child::ForeignKeyColumn, Vec<Id<&'a Parent>>>>;
313
314    fn belonging_to(parents: &'a [Parent]) -> Self::Output {
315        let ids = parents.iter().map(Identifiable::id).collect::<Vec<_>>();
316        FilterDsl::filter(Child::table(), Child::foreign_key_column().eq_any(ids))
317    }
318}
319
320impl<'a, Parent, Child> BelongingToDsl<(&'a [Parent], &'a [Parent])> for Child
321where
322    &'a Parent: Identifiable,
323    Child: HasTable + BelongsTo<Parent>,
324    Vec<Id<&'a Parent>>: AsInExpression<<Child::ForeignKeyColumn as Expression>::SqlType>,
325    <Child as HasTable>::Table: FilterDsl<EqAny<Child::ForeignKeyColumn, Vec<Id<&'a Parent>>>>,
326    Child::ForeignKeyColumn: ExpressionMethods,
327    <Child::ForeignKeyColumn as Expression>::SqlType: SqlType,
328{
329    type Output = Filter<Child::Table, EqAny<Child::ForeignKeyColumn, Vec<Id<&'a Parent>>>>;
330
331    fn belonging_to(parents: (&'a [Parent], &'a [Parent])) -> Self::Output {
332        let ids = parents
333            .0
334            .iter()
335            .chain(parents.1.iter())
336            .map(Identifiable::id)
337            .collect::<Vec<_>>();
338        FilterDsl::filter(Child::table(), Child::foreign_key_column().eq_any(ids))
339    }
340}
341
342impl<'a, Parent, Child> BelongingToDsl<&'a Vec<Parent>> for Child
343where
344    Child: BelongingToDsl<&'a [Parent]>,
345{
346    type Output = Child::Output;
347
348    fn belonging_to(parents: &'a Vec<Parent>) -> Self::Output {
349        Self::belonging_to(&**parents)
350    }
351}