diesel/associations/mod.rs
1//! Traits related to relationships between multiple tables.
2//!
3//! Associations in Diesel are always child-to-parent.
4//! You can declare an association between two records with `#[diesel(belongs_to)]`.
5//! Unlike other ORMs, Diesel has no concept of `has many`
6//!
7//! ```rust
8//! # include!("../doctest_setup.rs");
9//! use schema::{posts, users};
10//!
11//! #[derive(Identifiable, Queryable, PartialEq, Debug)]
12//! #[diesel(table_name = users)]
13//! pub struct User {
14//!     id: i32,
15//!     name: String,
16//! }
17//!
18//! #[derive(Identifiable, Queryable, Associations, PartialEq, Debug)]
19//! #[diesel(belongs_to(User))]
20//! #[diesel(table_name = posts)]
21//! pub struct Post {
22//!     id: i32,
23//!     user_id: i32,
24//!     title: String,
25//! }
26//!
27//! # fn main() {
28//! #     run_test().unwrap();
29//! # }
30//! #
31//! # fn run_test() -> QueryResult<()> {
32//! #     let connection = &mut establish_connection();
33//! #     use self::users::dsl::*;
34//! let user = users.find(2).get_result::<User>(connection)?;
35//! let users_post = Post::belonging_to(&user)
36//!     .first(connection)?;
37//! let expected = Post { id: 3, user_id: 2, title: "My first post too".into() };
38//! assert_eq!(expected, users_post);
39//! #     Ok(())
40//! # }
41//! ```
42//!
43//! Note that in addition to the `#[diesel(belongs_to)]` annotation, we also need to
44//! `#[derive(Associations)]`
45//!
46//! `#[diesel(belongs_to)]` is given the name of the struct that represents the parent.
47//! Both the parent and child must implement [`Identifiable`].
48//! The struct given to `#[diesel(belongs_to)]` must be in scope,
49//! so you will need `use some_module::User` if `User` is defined in another module.
50//!
51//! If the parent record is generic over lifetimes, they can be written as `'_`.
52//! You will also need to wrap the type in quotes until
53//! `unrestricted_attribute_tokens` is stable.
54//!
55//! ```rust
56//! # include!("../doctest_setup.rs");
57//! # use schema::{posts, users};
58//! # use std::borrow::Cow;
59//! #
60//! #[derive(Identifiable)]
61//! #[diesel(table_name = users)]
62//! pub struct User<'a> {
63//!     id: i32,
64//!     name: Cow<'a, str>,
65//! }
66//!
67//! #[derive(Associations)]
68//! #[diesel(belongs_to(User<'_>))]
69//! #[diesel(table_name = posts)]
70//! pub struct Post {
71//!     id: i32,
72//!     user_id: i32,
73//!     title: String,
74//! }
75//! #
76//! # fn main() {}
77//! ```
78//!
79//!
80//! By default, Diesel assumes that your foreign keys will follow the convention `table_name_id`.
81//! If your foreign key has a different name,
82//! you can provide the `foreign_key` argument to `#[diesel(belongs_to)]`.
83//! For example, `#[diesel(belongs_to(Foo, foreign_key = mykey))]`.
84//!
85//! Associated data is typically loaded in multiple queries (one query per table).
86//! This is usually more efficient than using a join,
87//! especially if 3 or more tables are involved.
88//! For most datasets,
89//! using a join to load in a single query transmits so much duplicate data
90//! that it costs more time than the extra round trip would have.
91//!
92//! You can load the children for one or more parents using
93//! [`belonging_to`]
94//!
95//! [`belonging_to`]: crate::query_dsl::BelongingToDsl::belonging_to
96//!
97//! ```rust
98//! # include!("../doctest_setup.rs");
99//! # use schema::users;
100//! # use schema::posts;
101//! #
102//! # #[derive(Debug, PartialEq, Identifiable, Queryable)]
103//! # pub struct User {
104//! #     id: i32,
105//! #     name: String,
106//! # }
107//! #
108//! # #[derive(Debug, PartialEq, Identifiable, Queryable, Associations)]
109//! # #[diesel(belongs_to(User))]
110//! # pub struct Post {
111//! #     id: i32,
112//! #     user_id: i32,
113//! #     title: String,
114//! # }
115//! #
116//! # fn main() {
117//! #   use self::users::dsl::*;
118//! #   let connection = &mut establish_connection();
119//! #
120//! let user = users.find(1).first::<User>(connection).expect("Error loading user");
121//! let post_list = Post::belonging_to(&user)
122//!     .load::<Post>(connection)
123//!     .expect("Error loading posts");
124//! let expected = vec![
125//!     Post { id: 1, user_id: 1, title: "My first post".to_string() },
126//!     Post { id: 2, user_id: 1, title: "About Rust".to_string() },
127//! ];
128//!
129//! assert_eq!(post_list, expected);
130//! # }
131//! ```
132//!
133//! If you're coming from other ORMs, you'll notice that this design is quite different from most.
134//! There you would have an instance method on the parent, or have the children stored somewhere on
135//! the posts. This design leads to many problems, including [N+1 query
136//! bugs][load-your-entire-database-into-memory-lol], and runtime errors when accessing an
137//! association that isn't there.
138//!
139//! [load-your-entire-database-into-memory-lol]: https://stackoverflow.com/q/97197/1254484
140//!
141//! In Diesel, data and its associations are considered to be separate. If you want to pass around
142//! a user and all of its posts, that type is `(User, Vec<Post>)`.
143//!
144//! Next lets look at how to load the children for more than one parent record.
145//! [`belonging_to`] can be used to load the data, but we'll also need to group it
146//! with its parents. For this we use an additional method [`grouped_by`].
147//!
148//! [`grouped_by`]: GroupedBy::grouped_by
149//! [`belonging_to`]: crate::query_dsl::BelongingToDsl::belonging_to
150//!
151//! ```rust
152//! # include!("../doctest_setup.rs");
153//! # use schema::{posts, users};
154//! #
155//! # #[derive(Identifiable, Queryable)]
156//! # pub struct User {
157//! #     id: i32,
158//! #     name: String,
159//! # }
160//! #
161//! # #[derive(Debug, PartialEq)]
162//! # #[derive(Identifiable, Queryable, Associations)]
163//! # #[diesel(belongs_to(User))]
164//! # pub struct Post {
165//! #     id: i32,
166//! #     user_id: i32,
167//! #     title: String,
168//! # }
169//! #
170//! # fn main() {
171//! #     run_test();
172//! # }
173//! #
174//! # fn run_test() -> QueryResult<()> {
175//! #     let connection = &mut establish_connection();
176//! #     use self::users::dsl::*;
177//! #     use self::posts::dsl::{posts, title};
178//! let sean = users.filter(name.eq("Sean")).first::<User>(connection)?;
179//! let tess = users.filter(name.eq("Tess")).first::<User>(connection)?;
180//!
181//! let seans_posts = Post::belonging_to(&sean)
182//!     .select(title)
183//!     .load::<String>(connection)?;
184//! assert_eq!(vec!["My first post", "About Rust"], seans_posts);
185//!
186//! // A vec or slice can be passed as well
187//! let more_posts = Post::belonging_to(&vec![sean, tess])
188//!     .select(title)
189//!     .load::<String>(connection)?;
190//! assert_eq!(vec!["My first post", "About Rust", "My first post too"], more_posts);
191//! #     Ok(())
192//! # }
193//! ```
194//!
195//! Typically you will want to group up the children with their parents.
196//! In other ORMs, this is often called a `has_many` relationship.
197//! Diesel provides support for doing this grouping, once the data has been
198//! loaded.
199//!
200//! [`grouped_by`] is called on a `Vec<Child>` with a `&[Parent]`.
201//! The return value will be `Vec<Vec<Child>>` indexed to match their parent.
202//! Or to put it another way, the returned data can be passed to `zip`,
203//! and it will be combined with its parent.
204//!
205//! ```rust
206//! # include!("../doctest_setup.rs");
207//! # use schema::{posts, users};
208//! #
209//! # #[derive(Identifiable, Queryable, PartialEq, Debug)]
210//! # pub struct User {
211//! #     id: i32,
212//! #     name: String,
213//! # }
214//! #
215//! # #[derive(Debug, PartialEq)]
216//! # #[derive(Identifiable, Queryable, Associations)]
217//! # #[diesel(belongs_to(User))]
218//! # pub struct Post {
219//! #     id: i32,
220//! #     user_id: i32,
221//! #     title: String,
222//! # }
223//! #
224//! # fn main() {
225//! #     run_test();
226//! # }
227//! #
228//! # fn run_test() -> QueryResult<()> {
229//! #     let connection = &mut establish_connection();
230//! let users = users::table.load::<User>(connection)?;
231//! let posts = Post::belonging_to(&users)
232//!     .load::<Post>(connection)?
233//!     .grouped_by(&users);
234//! let data = users.into_iter().zip(posts).collect::<Vec<_>>();
235//!
236//! let expected_data = vec![
237//!     (
238//!         User { id: 1, name: "Sean".into() },
239//!         vec![
240//!             Post { id: 1, user_id: 1, title: "My first post".into() },
241//!             Post { id: 2, user_id: 1, title: "About Rust".into() },
242//!         ],
243//!     ),
244//!     (
245//!         User { id: 2, name: "Tess".into() },
246//!         vec![
247//!             Post { id: 3, user_id: 2, title: "My first post too".into() },
248//!         ],
249//!     ),
250//! ];
251//!
252//! assert_eq!(expected_data, data);
253//! #     Ok(())
254//! # }
255//! ```
256//!
257//! [`grouped_by`] can be called multiple times
258//! if you have multiple children or grandchildren.
259//!
260//! For example, this code will load some users,
261//! all of their posts,
262//! and all of the comments on those posts.
263//! Explicit type annotations have been added
264//! to make each line a bit more clear.
265//!
266//! ```rust
267//! # include!("../doctest_setup.rs");
268//! # use schema::{users, posts, comments};
269//! #
270//! # #[derive(Debug, PartialEq, Identifiable, Queryable)]
271//! # pub struct User {
272//! #     id: i32,
273//! #     name: String,
274//! # }
275//! #
276//! # #[derive(Debug, PartialEq, Identifiable, Queryable, Associations)]
277//! # #[diesel(belongs_to(User))]
278//! # pub struct Post {
279//! #     id: i32,
280//! #     user_id: i32,
281//! #     title: String,
282//! # }
283//! #
284//! # #[derive(Debug, PartialEq, Identifiable, Queryable, Associations)]
285//! # #[diesel(belongs_to(Post))]
286//! # pub struct Comment {
287//! #     id: i32,
288//! #     post_id: i32,
289//! #     body: String,
290//! # }
291//! #
292//! # fn main() {
293//! #   let connection = &mut establish_connection();
294//! #
295//! let users: Vec<User> = users::table.load::<User>(connection)
296//!     .expect("error loading users");
297//! let posts: Vec<Post> = Post::belonging_to(&users)
298//!     .load::<Post>(connection)
299//!     .expect("error loading posts");
300//! let comments: Vec<Comment> = Comment::belonging_to(&posts)
301//!     .load::<Comment>(connection)
302//!     .expect("Error loading comments");
303//! let grouped_comments: Vec<Vec<Comment>> = comments.grouped_by(&posts);
304//! let posts_and_comments: Vec<Vec<(Post, Vec<Comment>)>> = posts
305//!     .into_iter()
306//!     .zip(grouped_comments)
307//!     .grouped_by(&users);
308//! let result: Vec<(User, Vec<(Post, Vec<Comment>)>)> = users
309//!     .into_iter()
310//!     .zip(posts_and_comments)
311//!     .collect();
312//! let expected = vec![
313//!     (
314//!         User { id: 1, name: "Sean".to_string() },
315//!         vec![
316//!             (
317//!                 Post { id: 1, user_id: 1, title: "My first post".to_string() },
318//!                 vec![ Comment { id: 1, post_id: 1, body: "Great post".to_string() } ]
319//!             ),
320//!             (
321//!                 Post { id: 2, user_id: 1, title: "About Rust".to_string() },
322//!                 vec![
323//!                     Comment { id: 2, post_id: 2, body: "Yay! I am learning Rust".to_string() }
324//!                 ]
325//!
326//!             )
327//!         ]
328//!     ),
329//!     (
330//!         User { id: 2, name: "Tess".to_string() },
331//!         vec![
332//!             (
333//!                 Post { id: 3, user_id: 2, title: "My first post too".to_string() },
334//!                 vec![ Comment { id: 3, post_id: 3, body: "I enjoyed your post".to_string() } ]
335//!             )
336//!         ]
337//!     )
338//! ];
339//!
340//! assert_eq!(result, expected);
341//! # }
342//! ```
343//!
344//! And that's it.
345//! It may seem odd to have load, group, and zip be explicit separate steps
346//! if you are coming from another ORM.
347//! However, the goal is to provide simple building blocks which can
348//! be used to construct the complex behavior applications need.
349mod belongs_to;
350
351use std::hash::Hash;
352
353use crate::query_source::Table;
354
355pub use self::belongs_to::{BelongsTo, GroupedBy};
356
357#[doc(inline)]
358pub use diesel_derives::Associations;
359
360/// This trait indicates that a struct is associated with a single database table.
361///
362/// This trait is implemented by structs which implement `Identifiable`,
363/// as well as database tables themselves.
364pub trait HasTable {
365    /// The table this type is associated with.
366    type Table: Table;
367
368    /// Returns the table this type is associated with.
369    fn table() -> Self::Table;
370}
371
372impl<T: HasTable> HasTable for &T {
373    type Table = T::Table;
374
375    fn table() -> Self::Table {
376        T::table()
377    }
378}
379
380/// This trait indicates that a struct represents a single row in a database table.
381///
382/// This must be implemented to use associations.
383/// Additionally, implementing this trait allows you to pass your struct to `update`
384/// (`update(&your_struct)` is equivalent to
385/// `update(YourStruct::table().find(&your_struct.primary_key())`).
386///
387/// This trait is usually implemented on a reference to a struct,
388/// not on the struct itself. It can be [derived](derive@Identifiable).
389///
390pub trait Identifiable: HasTable {
391    /// The type of this struct's identifier.
392    ///
393    /// For single-field primary keys, this is typically `&'a i32`, or `&'a String`
394    /// For composite primary keys, this is typically `(&'a i32, &'a i32)`
395    /// or `(&'a String, &'a String)`, etc.
396    type Id: Hash + Eq;
397
398    /// Returns the identifier for this record.
399    ///
400    /// This takes `self` by value, not reference.
401    /// This is because composite primary keys
402    /// are typically stored as multiple fields.
403    /// We could not return `&(String, String)` if each string is a separate field.
404    ///
405    /// Because of Rust's rules about specifying lifetimes,
406    /// this means that `Identifiable` is usually implemented on references
407    /// so that we have a lifetime to use for `Id`.
408    fn id(self) -> Self::Id;
409}
410
411#[doc(inline)]
412pub use diesel_derives::Identifiable;