diesel/lib.rs
1//! # Diesel
2//!
3//! Diesel is an ORM and query builder designed to reduce the boilerplate for database interactions.
4//! If this is your first time reading this documentation,
5//! we recommend you start with the [getting started guide].
6//! We also have [many other long form guides].
7//!
8//! [getting started guide]: https://diesel.rs/guides/getting-started/
9//! [many other long form guides]: https://diesel.rs/guides
10//!
11//! # Where to find things
12//!
13//! ## Declaring your schema
14//!
15//! For Diesel to validate your queries at compile time
16//! it requires you to specify your schema in your code,
17//! which you can do with [the `table!` macro][`table!`].
18//! `diesel print-schema` can be used
19//! to automatically generate these macro calls
20//! (by connecting to your database and querying its schema).
21//!
22//!
23//! ## Getting started
24//!
25//! Queries usually start from either a table, or a function like [`update`].
26//! Those functions can be found [here](#functions).
27//!
28//! Diesel provides a [`prelude` module](prelude),
29//! which exports most of the typically used traits and types.
30//! We are conservative about what goes in this module,
31//! and avoid anything which has a generic name.
32//! Files which use Diesel are expected to have `use diesel::prelude::*;`.
33//!
34//! [`update`]: update()
35//!
36//! ## Constructing a query
37//!
38//! The tools the query builder gives you can be put into these three categories:
39//!
40//! - "Query builder methods" are things that map to portions of a whole query
41//! (such as `ORDER` and `WHERE`). These methods usually have the same name
42//! as the SQL they map to, except for `WHERE` which is called `filter` in Diesel
43//! (To not conflict with the Rust keyword).
44//! These methods live in [the `query_dsl` module](query_dsl).
45//! - "Expression methods" are things you would call on columns
46//! or other individual values.
47//! These methods live in [the `expression_methods` module](expression_methods)
48//! You can often find these by thinking "what would this be called"
49//! if it were a method
50//! and typing that into the search bar
51//! (e.g. `LIKE` is called `like` in Diesel).
52//! Most operators are named based on the Rust function which maps to that
53//! operator in [`std::ops`][]
54//! (For example `==` is called `.eq`, and `!=` is called `.ne`).
55//! - "Bare functions" are normal SQL functions
56//! such as `sum`.
57//! They live in [the `dsl` module](dsl).
58//! Diesel only supports a very small number of these functions.
59//! You can declare additional functions you want to use
60//! with [the `define_sql_function!` macro][`define_sql_function!`].
61//!
62//! [`std::ops`]: //doc.rust-lang.org/stable/std/ops/index.html
63//!
64//! ## Serializing and Deserializing
65//!
66//! Types which represent the result of a SQL query implement
67//! a trait called [`Queryable`].
68//!
69//! Diesel maps "Rust types" (e.g. `i32`) to and from "SQL types"
70//! (e.g. [`diesel::sql_types::Integer`]).
71//! You can find all the types supported by Diesel in [the `sql_types` module](sql_types).
72//! These types are only used to represent a SQL type.
73//! You should never put them on your `Queryable` structs.
74//!
75//! To find all the Rust types which can be used with a given SQL type,
76//! see the documentation for that SQL type.
77//!
78//! To find all the SQL types which can be used with a Rust type,
79//! go to the docs for either [`ToSql`] or [`FromSql`],
80//! go to the "Implementors" section,
81//! and find the Rust type you want to use.
82//!
83//! [`Queryable`]: deserialize::Queryable
84//! [`diesel::sql_types::Integer`]: sql_types::Integer
85//! [`ToSql`]: serialize::ToSql
86//! [`FromSql`]: deserialize::FromSql
87//!
88//! ## How to read diesels compile time error messages
89//!
90//! Diesel is known for generating large complicated looking errors. Usually
91//! most of these error messages can be broken down easily. The following
92//! section tries to give an overview of common error messages and how to read them.
93//! As a general note it's always useful to read the complete error message as emitted
94//! by rustc, including the `required because of …` part of the message.
95//! Your IDE might hide important parts!
96//!
97//! The following error messages are common:
98//!
99//! * `the trait bound (diesel::sql_types::Integer, …, diesel::sql_types::Text): load_dsl::private::CompatibleType<YourModel, Pg> is not satisfied`
100//! while trying to execute a query:
101//! This error indicates a mismatch between what your query returns and what your model struct
102//! expects the query to return. The fields need to match in terms of field order, field type
103//! and field count. If you are sure that everything matches, double check the enabled diesel
104//! features (for support for types from other crates) and double check (via `cargo tree`)
105//! that there is only one version of such a shared crate in your dependency tree.
106//! Consider using [`#[derive(Selectable)]`](derive@crate::prelude::Selectable) +
107//! `#[diesel(check_for_backend(diesel::pg::Pg))]`
108//! to improve the generated error message.
109//! * `the trait bound i32: diesel::Expression is not satisfied` in the context of `Insertable`
110//! model structs:
111//! This error indicates a type mismatch between the field you are trying to insert into the database
112//! and the actual database type. These error messages contain a line
113//! like ` = note: required for i32 to implement AsExpression<diesel::sql_types::Text>`
114//! that show both the provided rust side type (`i32` in that case) and the expected
115//! database side type (`Text` in that case).
116//! * `the trait bound i32: AppearsOnTable<users::table> is not satisfied` in the context of `AsChangeset`
117//! model structs:
118//! This error indicates a type mismatch between the field you are trying to update and the actual
119//! database type. Double check your type mapping.
120//! * `the trait bound SomeLargeType: QueryFragment<Sqlite, SomeMarkerType> is not satisfied` while
121//! trying to execute a query.
122//! This error message indicates that a given query is not supported by your backend. This usually
123//! means that you are trying to use SQL features from one SQL dialect on a different database
124//! system. Double check your query that everything required is supported by the selected
125//! backend. If that's the case double check that the relevant feature flags are enabled
126//! (for example, `returning_clauses_for_sqlite_3_35` for enabling support for returning clauses in newer
127//! sqlite versions)
128//! * `the trait bound posts::title: SelectableExpression<users::table> is not satisfied` while
129//! executing a query:
130//! This error message indicates that you're trying to select a field from a table
131//! that does not appear in your from clause. If your query joins the relevant table via
132//! [`left_join`](crate::query_dsl::QueryDsl::left_join) you need to call
133//! [`.nullable()`](crate::expression_methods::NullableExpressionMethods::nullable)
134//! on the relevant column in your select clause.
135//!
136//!
137//! ## Getting help
138//!
139//! If you run into problems, Diesel has an active community.
140//! Open a new [discussion] thread at diesel github repository
141//! and we will try to help you
142//!
143//! [discussion]: https://github.com/diesel-rs/diesel/discussions/categories/q-a
144//!
145//! # Crate feature flags
146//!
147//! The following feature flags are considered to be part of diesels public
148//! API. Any feature flag that is not listed here is **not** considered to
149//! be part of the public API and can disappear at any point in time:
150
151//!
152//! - `sqlite`: This feature enables the diesel sqlite backend. Enabling this feature requires per default
153//! a compatible copy of `libsqlite3` for your target architecture. Alternatively, you can add `libsqlite3-sys`
154//! with the `bundled` feature as a dependency to your crate so SQLite will be bundled:
155//! ```toml
156//! [dependencies]
157//! libsqlite3-sys = { version = "0.29", features = ["bundled"] }
158//! ```
159//! - `postgres`: This feature enables the diesel postgres backend. Enabling this feature requires a compatible
160//! copy of `libpq` for your target architecture. This features implies `postgres_backend`
161//! - `mysql`: This feature enables the idesel mysql backend. Enabling this feature requires a compatible copy
162//! of `libmysqlclient` for your target architecture. This feature implies `mysql_backend`
163//! - `postgres_backend`: This feature enables those parts of diesels postgres backend, that are not dependent
164//! on `libpq`. Diesel does not provide any connection implementation with only this feature enabled.
165//! This feature can be used to implement a custom implementation of diesels `Connection` trait for the
166//! postgres backend outside of diesel itself, while reusing the existing query dsl extensions for the
167//! postgres backend
168//! - `mysql_backend`: This feature enables those parts of diesels mysql backend, that are not dependent
169//! on `libmysqlclient`. Diesel does not provide any connection implementation with only this feature enabled.
170//! This feature can be used to implement a custom implementation of diesels `Connection` trait for the
171//! mysql backend outside of diesel itself, while reusing the existing query dsl extensions for the
172//! mysql backend
173//! - `returning_clauses_for_sqlite_3_35`: This feature enables support for `RETURNING` clauses in the sqlite backend.
174//! Enabling this feature requires sqlite 3.35.0 or newer.
175//! - `32-column-tables`: This feature enables support for tables with up to 32 columns.
176//! This feature is enabled by default. Consider disabling this feature if you write a library crate
177//! providing general extensions for diesel or if you do not need to support tables with more than 16 columns
178//! and you want to minimize your compile times.
179//! - `64-column-tables`: This feature enables support for tables with up to 64 columns. It implies the
180//! `32-column-tables` feature. Enabling this feature will increase your compile times.
181//! - `128-column-tables`: This feature enables support for tables with up to 128 columns. It implies the
182//! `64-column-tables` feature. Enabling this feature will increase your compile times significantly.
183//! - `i-implement-a-third-party-backend-and-opt-into-breaking-changes`: This feature opens up some otherwise
184//! private API, that can be useful to implement a third party [`Backend`](crate::backend::Backend)
185//! or write a custom [`Connection`] implementation. **Do not use this feature for
186//! any other usecase**. By enabling this feature you explicitly opt out diesel stability guarantees. We explicitly
187//! reserve us the right to break API's exported under this feature flag in any upcoming minor version release.
188//! If you publish a crate depending on this feature flag consider to restrict the supported diesel version to the
189//! currently released minor version.
190//! - `serde_json`: This feature flag enables support for (de)serializing json values from the database using
191//! types provided by `serde_json`.
192//! - `chrono`: This feature flags enables support for (de)serializing date/time values from the database using
193//! types provided by `chrono`
194//! - `uuid`: This feature flag enables support for (de)serializing uuid values from the database using types
195//! provided by `uuid`
196//! - `network-address`: This feature flag enables support for (de)serializing
197//! IP values from the database using types provided by `ipnetwork`.
198//! - `ipnet-address`: This feature flag enables support for (de)serializing IP
199//! values from the database using types provided by `ipnet`.
200//! - `numeric`: This feature flag enables support for (de)serializing numeric values from the database using types
201//! provided by `bigdecimal`
202//! - `r2d2`: This feature flag enables support for the `r2d2` connection pool implementation.
203//! - `extras`: This feature enables the feature flagged support for any third party crate. This implies the
204//! following feature flags: `serde_json`, `chrono`, `uuid`, `network-address`, `numeric`, `r2d2`
205//! - `with-deprecated`: This feature enables items marked as `#[deprecated]`. It is enabled by default.
206//! disabling this feature explicitly opts out diesels stability guarantee.
207//! - `without-deprecated`: This feature disables any item marked as `#[deprecated]`. Enabling this feature
208//! explicitly opts out the stability guarantee given by diesel. This feature overrides the `with-deprecated`.
209//! Note that this may also remove items that are not shown as `#[deprecated]` in our documentation, due to
210//! various bugs in rustdoc. It can be used to check if you depend on any such hidden `#[deprecated]` item.
211//!
212//! By default the following features are enabled:
213//!
214//! - `with-deprecated`
215//! - `32-column-tables`
216
217#![cfg_attr(feature = "unstable", feature(trait_alias))]
218#![cfg_attr(docsrs, feature(doc_cfg, doc_auto_cfg))]
219#![cfg_attr(feature = "128-column-tables", recursion_limit = "256")]
220// Built-in Lints
221#![warn(
222 unreachable_pub,
223 missing_debug_implementations,
224 missing_copy_implementations,
225 elided_lifetimes_in_paths,
226 missing_docs
227)]
228// Clippy lints
229#![allow(
230 clippy::match_same_arms,
231 clippy::needless_doctest_main,
232 clippy::map_unwrap_or,
233 clippy::redundant_field_names,
234 clippy::type_complexity,
235 unknown_or_malformed_diagnostic_attributes
236)]
237#![warn(
238 clippy::unwrap_used,
239 clippy::print_stdout,
240 clippy::mut_mut,
241 clippy::non_ascii_literal,
242 clippy::similar_names,
243 clippy::unicode_not_nfc,
244 clippy::enum_glob_use,
245 clippy::if_not_else,
246 clippy::items_after_statements,
247 clippy::used_underscore_binding,
248 clippy::cast_possible_wrap,
249 clippy::cast_possible_truncation,
250 clippy::cast_sign_loss
251)]
252#![deny(unsafe_code)]
253#![cfg_attr(test, allow(clippy::map_unwrap_or, clippy::unwrap_used))]
254
255extern crate diesel_derives;
256
257#[macro_use]
258#[doc(hidden)]
259pub mod macros;
260#[doc(hidden)]
261pub mod internal;
262
263#[cfg(test)]
264#[macro_use]
265extern crate cfg_if;
266
267#[cfg(test)]
268pub mod test_helpers;
269
270pub mod associations;
271pub mod backend;
272pub mod connection;
273pub mod data_types;
274pub mod deserialize;
275#[macro_use]
276pub mod expression;
277pub mod expression_methods;
278#[doc(hidden)]
279pub mod insertable;
280pub mod query_builder;
281pub mod query_dsl;
282pub mod query_source;
283#[cfg(feature = "r2d2")]
284pub mod r2d2;
285pub mod result;
286pub mod serialize;
287pub mod upsert;
288#[macro_use]
289pub mod sql_types;
290pub mod migration;
291pub mod row;
292
293#[cfg(feature = "mysql_backend")]
294pub mod mysql;
295#[cfg(feature = "postgres_backend")]
296pub mod pg;
297#[cfg(feature = "sqlite")]
298pub mod sqlite;
299
300mod type_impls;
301mod util;
302
303#[doc(hidden)]
304#[cfg(all(feature = "with-deprecated", not(feature = "without-deprecated")))]
305#[deprecated(since = "2.0.0", note = "Use explicit macro imports instead")]
306pub use diesel_derives::{
307 AsChangeset, AsExpression, Associations, DieselNumericOps, FromSqlRow, Identifiable,
308 Insertable, QueryId, Queryable, QueryableByName, SqlType,
309};
310
311pub use diesel_derives::MultiConnection;
312
313#[allow(unknown_lints, ambiguous_glob_reexports)]
314pub mod dsl {
315 //! Includes various helper types and bare functions which are named too
316 //! generically to be included in prelude, but are often used when using Diesel.
317
318 #[doc(inline)]
319 pub use crate::helper_types::*;
320
321 #[doc(inline)]
322 pub use crate::expression::dsl::*;
323
324 #[doc(inline)]
325 pub use crate::query_builder::functions::{
326 delete, insert_into, insert_or_ignore_into, replace_into, select, sql_query, update,
327 };
328
329 #[doc(inline)]
330 #[cfg(feature = "postgres_backend")]
331 pub use crate::query_builder::functions::{copy_from, copy_to};
332
333 #[doc(inline)]
334 pub use diesel_derives::auto_type;
335
336 #[cfg(feature = "postgres_backend")]
337 #[doc(inline)]
338 pub use crate::pg::expression::extensions::OnlyDsl;
339
340 #[cfg(feature = "postgres_backend")]
341 #[doc(inline)]
342 pub use crate::pg::expression::extensions::TablesampleDsl;
343}
344
345pub mod helper_types {
346 //! Provide helper types for concisely writing the return type of functions.
347 //! As with iterators, it is unfortunately difficult to return a partially
348 //! constructed query without exposing the exact implementation of the
349 //! function. Without higher kinded types, these various DSLs can't be
350 //! combined into a single trait for boxing purposes.
351 //!
352 //! All types here are in the form `<FirstType as
353 //! DslName<OtherTypes>>::Output`. So the return type of
354 //! `users.filter(first_name.eq("John")).order(last_name.asc()).limit(10)` would
355 //! be `Limit<Order<FindBy<users, first_name, &str>, Asc<last_name>>>`
356 use super::query_builder::combination_clause::{self, CombinationClause};
357 use super::query_builder::{locking_clause as lock, AsQuery};
358 use super::query_dsl::methods::*;
359 use super::query_dsl::*;
360 use super::query_source::{aliasing, joins};
361 use crate::dsl::CountStar;
362 use crate::query_builder::select_clause::SelectClause;
363
364 #[doc(inline)]
365 pub use crate::expression::helper_types::*;
366
367 /// Represents the return type of [`.select(selection)`](crate::prelude::QueryDsl::select)
368 pub type Select<Source, Selection> = <Source as SelectDsl<Selection>>::Output;
369
370 /// Represents the return type of [`diesel::select(selection)`](crate::select)
371 #[allow(non_camel_case_types)] // required for `#[auto_type]`
372 pub type select<Selection> = crate::query_builder::SelectStatement<
373 crate::query_builder::NoFromClause,
374 SelectClause<Selection>,
375 >;
376
377 #[doc(hidden)]
378 #[deprecated(note = "Use `select` instead")]
379 pub type BareSelect<Selection> = crate::query_builder::SelectStatement<
380 crate::query_builder::NoFromClause,
381 SelectClause<Selection>,
382 >;
383
384 /// Represents the return type of [`.filter(predicate)`](crate::prelude::QueryDsl::filter)
385 pub type Filter<Source, Predicate> = <Source as FilterDsl<Predicate>>::Output;
386
387 /// Represents the return type of [`.filter(lhs.eq(rhs))`](crate::prelude::QueryDsl::filter)
388 pub type FindBy<Source, Column, Value> = Filter<Source, Eq<Column, Value>>;
389
390 /// Represents the return type of [`.for_update()`](crate::prelude::QueryDsl::for_update)
391 pub type ForUpdate<Source> = <Source as LockingDsl<lock::ForUpdate>>::Output;
392
393 /// Represents the return type of [`.for_no_key_update()`](crate::prelude::QueryDsl::for_no_key_update)
394 pub type ForNoKeyUpdate<Source> = <Source as LockingDsl<lock::ForNoKeyUpdate>>::Output;
395
396 /// Represents the return type of [`.for_share()`](crate::prelude::QueryDsl::for_share)
397 pub type ForShare<Source> = <Source as LockingDsl<lock::ForShare>>::Output;
398
399 /// Represents the return type of [`.for_key_share()`](crate::prelude::QueryDsl::for_key_share)
400 pub type ForKeyShare<Source> = <Source as LockingDsl<lock::ForKeyShare>>::Output;
401
402 /// Represents the return type of [`.skip_locked()`](crate::prelude::QueryDsl::skip_locked)
403 pub type SkipLocked<Source> = <Source as ModifyLockDsl<lock::SkipLocked>>::Output;
404
405 /// Represents the return type of [`.no_wait()`](crate::prelude::QueryDsl::no_wait)
406 pub type NoWait<Source> = <Source as ModifyLockDsl<lock::NoWait>>::Output;
407
408 /// Represents the return type of [`.find(pk)`](crate::prelude::QueryDsl::find)
409 pub type Find<Source, PK> = <Source as FindDsl<PK>>::Output;
410
411 /// Represents the return type of [`.or_filter(predicate)`](crate::prelude::QueryDsl::or_filter)
412 pub type OrFilter<Source, Predicate> = <Source as OrFilterDsl<Predicate>>::Output;
413
414 /// Represents the return type of [`.order(ordering)`](crate::prelude::QueryDsl::order)
415 pub type Order<Source, Ordering> = <Source as OrderDsl<Ordering>>::Output;
416
417 /// Represents the return type of [`.order_by(ordering)`](crate::prelude::QueryDsl::order_by)
418 ///
419 /// Type alias of [Order]
420 pub type OrderBy<Source, Ordering> = Order<Source, Ordering>;
421
422 /// Represents the return type of [`.then_order_by(ordering)`](crate::prelude::QueryDsl::then_order_by)
423 pub type ThenOrderBy<Source, Ordering> = <Source as ThenOrderDsl<Ordering>>::Output;
424
425 /// Represents the return type of [`.limit()`](crate::prelude::QueryDsl::limit)
426 pub type Limit<Source, DummyArgForAutoType = i64> =
427 <Source as LimitDsl<DummyArgForAutoType>>::Output;
428
429 /// Represents the return type of [`.offset()`](crate::prelude::QueryDsl::offset)
430 pub type Offset<Source, DummyArgForAutoType = i64> =
431 <Source as OffsetDsl<DummyArgForAutoType>>::Output;
432
433 /// Represents the return type of [`.inner_join(rhs)`](crate::prelude::QueryDsl::inner_join)
434 pub type InnerJoin<Source, Rhs> =
435 <Source as JoinWithImplicitOnClause<Rhs, joins::Inner>>::Output;
436
437 /// Represents the return type of [`.inner_join(rhs.on(on))`](crate::prelude::QueryDsl::inner_join)
438 pub type InnerJoinOn<Source, Rhs, On> =
439 <Source as InternalJoinDsl<Rhs, joins::Inner, On>>::Output;
440
441 /// Represents the return type of [`.left_join(rhs)`](crate::prelude::QueryDsl::left_join)
442 pub type LeftJoin<Source, Rhs> =
443 <Source as JoinWithImplicitOnClause<Rhs, joins::LeftOuter>>::Output;
444
445 /// Represents the return type of [`.left_join(rhs.on(on))`](crate::prelude::QueryDsl::left_join)
446 pub type LeftJoinOn<Source, Rhs, On> =
447 <Source as InternalJoinDsl<Rhs, joins::LeftOuter, On>>::Output;
448
449 /// Represents the return type of [`rhs.on(on)`](crate::query_dsl::JoinOnDsl::on)
450 pub type On<Source, On> = joins::OnClauseWrapper<Source, On>;
451
452 use super::associations::HasTable;
453 use super::query_builder::{AsChangeset, IntoUpdateTarget, UpdateStatement};
454
455 /// Represents the return type of [`update(lhs).set(rhs)`](crate::query_builder::UpdateStatement::set)
456 pub type Update<Target, Changes> = UpdateStatement<
457 <Target as HasTable>::Table,
458 <Target as IntoUpdateTarget>::WhereClause,
459 <Changes as AsChangeset>::Changeset,
460 >;
461
462 /// Represents the return type of [`.into_boxed::<'a, DB>()`](crate::prelude::QueryDsl::into_boxed)
463 pub type IntoBoxed<'a, Source, DB> = <Source as BoxedDsl<'a, DB>>::Output;
464
465 /// Represents the return type of [`.distinct()`](crate::prelude::QueryDsl::distinct)
466 pub type Distinct<Source> = <Source as DistinctDsl>::Output;
467
468 /// Represents the return type of [`.distinct_on(expr)`](crate::prelude::QueryDsl::distinct_on)
469 #[cfg(feature = "postgres_backend")]
470 pub type DistinctOn<Source, Expr> = <Source as DistinctOnDsl<Expr>>::Output;
471
472 /// Represents the return type of [`.single_value()`](SingleValueDsl::single_value)
473 pub type SingleValue<Source> = <Source as SingleValueDsl>::Output;
474
475 /// Represents the return type of [`.nullable()`](SelectNullableDsl::nullable)
476 pub type NullableSelect<Source> = <Source as SelectNullableDsl>::Output;
477
478 /// Represents the return type of [`.group_by(expr)`](crate::prelude::QueryDsl::group_by)
479 pub type GroupBy<Source, Expr> = <Source as GroupByDsl<Expr>>::Output;
480
481 /// Represents the return type of [`.having(predicate)`](crate::prelude::QueryDsl::having)
482 pub type Having<Source, Predicate> = <Source as HavingDsl<Predicate>>::Output;
483
484 /// Represents the return type of [`.union(rhs)`](crate::prelude::CombineDsl::union)
485 pub type Union<Source, Rhs> = CombinationClause<
486 combination_clause::Union,
487 combination_clause::Distinct,
488 <Source as CombineDsl>::Query,
489 <Rhs as AsQuery>::Query,
490 >;
491
492 /// Represents the return type of [`.union_all(rhs)`](crate::prelude::CombineDsl::union_all)
493 pub type UnionAll<Source, Rhs> = CombinationClause<
494 combination_clause::Union,
495 combination_clause::All,
496 <Source as CombineDsl>::Query,
497 <Rhs as AsQuery>::Query,
498 >;
499
500 /// Represents the return type of [`.intersect(rhs)`](crate::prelude::CombineDsl::intersect)
501 pub type Intersect<Source, Rhs> = CombinationClause<
502 combination_clause::Intersect,
503 combination_clause::Distinct,
504 <Source as CombineDsl>::Query,
505 <Rhs as AsQuery>::Query,
506 >;
507
508 /// Represents the return type of [`.intersect_all(rhs)`](crate::prelude::CombineDsl::intersect_all)
509 pub type IntersectAll<Source, Rhs> = CombinationClause<
510 combination_clause::Intersect,
511 combination_clause::All,
512 <Source as CombineDsl>::Query,
513 <Rhs as AsQuery>::Query,
514 >;
515
516 /// Represents the return type of [`.except(rhs)`](crate::prelude::CombineDsl::except)
517 pub type Except<Source, Rhs> = CombinationClause<
518 combination_clause::Except,
519 combination_clause::Distinct,
520 <Source as CombineDsl>::Query,
521 <Rhs as AsQuery>::Query,
522 >;
523
524 /// Represents the return type of [`.except_all(rhs)`](crate::prelude::CombineDsl::except_all)
525 pub type ExceptAll<Source, Rhs> = CombinationClause<
526 combination_clause::Except,
527 combination_clause::All,
528 <Source as CombineDsl>::Query,
529 <Rhs as AsQuery>::Query,
530 >;
531
532 type JoinQuerySource<Left, Right, Kind, On> = joins::JoinOn<joins::Join<Left, Right, Kind>, On>;
533
534 /// A query source representing the inner join between two tables.
535 ///
536 /// The third generic type (`On`) controls how the tables are
537 /// joined.
538 ///
539 /// By default, the implicit join established by [`joinable!`][]
540 /// will be used, allowing you to omit the exact join
541 /// condition. For example, for the inner join between three
542 /// tables that implement [`JoinTo`][], you only need to specify
543 /// the tables: `InnerJoinQuerySource<InnerJoinQuerySource<table1,
544 /// table2>, table3>`.
545 ///
546 /// [`JoinTo`]: crate::query_source::JoinTo
547 ///
548 /// If you use an explicit `ON` clause, you will need to specify
549 /// the `On` generic type.
550 ///
551 /// ```rust
552 /// # include!("doctest_setup.rs");
553 /// use diesel::{dsl, helper_types::InnerJoinQuerySource};
554 /// # use diesel::{backend::Backend, serialize::ToSql, sql_types};
555 /// use schema::*;
556 ///
557 /// # fn main() -> QueryResult<()> {
558 /// # let conn = &mut establish_connection();
559 /// #
560 /// // If you have an explicit join like this...
561 /// let join_constraint = comments::columns::post_id.eq(posts::columns::id);
562 /// # let query =
563 /// posts::table.inner_join(comments::table.on(join_constraint));
564 /// #
565 /// # // Dummy usage just to ensure the example compiles.
566 /// # let filter = posts::columns::id.eq(1);
567 /// # let filter: &FilterExpression<_> = &filter;
568 /// # query.filter(filter).select(posts::columns::id).get_result::<i32>(conn)?;
569 /// #
570 /// # Ok(())
571 /// # }
572 ///
573 /// // ... you can use `InnerJoinQuerySource` like this.
574 /// type JoinConstraint = dsl::Eq<comments::columns::post_id, posts::columns::id>;
575 /// type MyInnerJoinQuerySource = InnerJoinQuerySource<posts::table, comments::table, JoinConstraint>;
576 /// # type FilterExpression<DB> = dyn BoxableExpression<MyInnerJoinQuerySource, DB, SqlType = sql_types::Bool>;
577 /// ```
578 pub type InnerJoinQuerySource<Left, Right, On = <Left as joins::JoinTo<Right>>::OnClause> =
579 JoinQuerySource<Left, Right, joins::Inner, On>;
580
581 /// A query source representing the left outer join between two tables.
582 ///
583 /// The third generic type (`On`) controls how the tables are
584 /// joined.
585 ///
586 /// By default, the implicit join established by [`joinable!`][]
587 /// will be used, allowing you to omit the exact join
588 /// condition. For example, for the left join between three
589 /// tables that implement [`JoinTo`][], you only need to specify
590 /// the tables: `LeftJoinQuerySource<LeftJoinQuerySource<table1,
591 /// table2>, table3>`.
592 ///
593 /// [`JoinTo`]: crate::query_source::JoinTo
594 ///
595 /// If you use an explicit `ON` clause, you will need to specify
596 /// the `On` generic type.
597 ///
598 /// ```rust
599 /// # include!("doctest_setup.rs");
600 /// use diesel::{dsl, helper_types::LeftJoinQuerySource};
601 /// # use diesel::{backend::Backend, serialize::ToSql, sql_types};
602 /// use schema::*;
603 ///
604 /// # fn main() -> QueryResult<()> {
605 /// # let conn = &mut establish_connection();
606 /// #
607 /// // If you have an explicit join like this...
608 /// let join_constraint = comments::columns::post_id.eq(posts::columns::id);
609 /// # let query =
610 /// posts::table.left_join(comments::table.on(join_constraint));
611 /// #
612 /// # // Dummy usage just to ensure the example compiles.
613 /// # let filter = posts::columns::id.eq(1);
614 /// # let filter: &FilterExpression<_> = &filter;
615 /// # query.filter(filter).select(posts::columns::id).get_result::<i32>(conn)?;
616 /// #
617 /// # Ok(())
618 /// # }
619 ///
620 /// // ... you can use `LeftJoinQuerySource` like this.
621 /// type JoinConstraint = dsl::Eq<comments::columns::post_id, posts::columns::id>;
622 /// type MyLeftJoinQuerySource = LeftJoinQuerySource<posts::table, comments::table, JoinConstraint>;
623 /// # type FilterExpression<DB> = dyn BoxableExpression<MyLeftJoinQuerySource, DB, SqlType = sql_types::Bool>;
624 /// ```
625 pub type LeftJoinQuerySource<Left, Right, On = <Left as joins::JoinTo<Right>>::OnClause> =
626 JoinQuerySource<Left, Right, joins::LeftOuter, On>;
627
628 /// Maps `F` to `Alias<S>`
629 ///
630 /// Any column `F` that belongs to `S::Table` will be transformed into
631 /// [`AliasedField<S, Self>`](crate::query_source::AliasedField)
632 ///
633 /// Any column `F` that does not belong to `S::Table` will be left untouched.
634 ///
635 /// This also works with tuples and some expressions.
636 pub type AliasedFields<S, F> = <F as aliasing::FieldAliasMapper<S>>::Out;
637
638 #[doc(hidden)]
639 #[cfg(all(feature = "with-deprecated", not(feature = "without-deprecated")))]
640 #[deprecated(note = "Use `LoadQuery::RowIter` directly")]
641 pub type LoadIter<'conn, 'query, Q, Conn, U, B = crate::connection::DefaultLoadingMode> =
642 <Q as load_dsl::LoadQuery<'query, Conn, U, B>>::RowIter<'conn>;
643
644 /// Represents the return type of [`diesel::delete`]
645 #[allow(non_camel_case_types)] // required for `#[auto_type]`
646 pub type delete<T> = crate::query_builder::DeleteStatement<
647 <T as HasTable>::Table,
648 <T as IntoUpdateTarget>::WhereClause,
649 >;
650
651 /// Represents the return type of [`diesel::insert_into`]
652 #[allow(non_camel_case_types)] // required for `#[auto_type]`
653 pub type insert_into<T> = crate::query_builder::IncompleteInsertStatement<T>;
654
655 /// Represents the return type of [`diesel::update`]
656 #[allow(non_camel_case_types)] // required for `#[auto_type]`
657 pub type update<T> =
658 UpdateStatement<<T as HasTable>::Table, <T as IntoUpdateTarget>::WhereClause>;
659
660 /// Represents the return type of [`diesel::insert_or_ignore_into`]
661 #[allow(non_camel_case_types)] // required for `#[auto_type]`
662 pub type insert_or_ignore_into<T> = crate::query_builder::IncompleteInsertOrIgnoreStatement<T>;
663
664 /// Represents the return type of [`diesel::replace_into`]
665 #[allow(non_camel_case_types)] // required for `#[auto_type]`
666 pub type replace_into<T> = crate::query_builder::IncompleteReplaceStatement<T>;
667
668 /// Represents the return type of
669 /// [`IncompleteInsertStatement::values()`](crate::query_builder::IncompleteInsertStatement::values)
670 pub type Values<I, U> = crate::query_builder::InsertStatement<
671 <I as crate::query_builder::insert_statement::InsertAutoTypeHelper>::Table,
672 <U as crate::Insertable<
673 <I as crate::query_builder::insert_statement::InsertAutoTypeHelper>::Table,
674 >>::Values,
675 <I as crate::query_builder::insert_statement::InsertAutoTypeHelper>::Op,
676 >;
677
678 /// Represents the return type of
679 /// [`UpdateStatement::set()`](crate::query_builder::UpdateStatement::set)
680 pub type Set<U, V> = crate::query_builder::UpdateStatement<
681 <U as crate::query_builder::update_statement::UpdateAutoTypeHelper>::Table,
682 <U as crate::query_builder::update_statement::UpdateAutoTypeHelper>::Where,
683 <V as crate::AsChangeset>::Changeset,
684 >;
685
686 /// Represents the return type of
687 /// [`InsertStatement::returning`](crate::query_builder::InsertStatement::returning),
688 /// [`UpdateStatement::returning`] and
689 /// [`DeleteStatement::returning`](crate::query_builder::DeleteStatement::returning)
690 pub type Returning<Q, S> =
691 <Q as crate::query_builder::returning_clause::ReturningClauseHelper<S>>::WithReturning;
692
693 #[doc(hidden)] // used for `QueryDsl::count`
694 pub type Count<Q> = Select<Q, CountStar>;
695}
696
697pub mod prelude {
698 //! Re-exports important traits and types. Meant to be glob imported when using Diesel.
699
700 #[doc(inline)]
701 pub use crate::associations::{Associations, GroupedBy, Identifiable};
702 #[doc(inline)]
703 pub use crate::connection::Connection;
704 #[doc(inline)]
705 pub use crate::deserialize::{Queryable, QueryableByName};
706 #[doc(inline)]
707 pub use crate::expression::{
708 AppearsOnTable, BoxableExpression, Expression, IntoSql, Selectable, SelectableExpression,
709 };
710 // If [`IntoSql`](crate::expression::helper_types::IntoSql) the type gets imported at the
711 // same time as IntoSql the trait (this one) gets imported via the prelude, then
712 // methods of the trait won't be resolved because the type may take priority over the trait.
713 // That issue can be avoided by also importing it anonymously:
714 pub use crate::expression::IntoSql as _;
715
716 #[doc(inline)]
717 pub use crate::expression::functions::define_sql_function;
718 #[cfg(all(feature = "with-deprecated", not(feature = "without-deprecated")))]
719 pub use crate::expression::functions::sql_function;
720
721 #[doc(inline)]
722 pub use crate::expression::SelectableHelper;
723 #[doc(inline)]
724 pub use crate::expression_methods::*;
725 #[doc(inline)]
726 pub use crate::insertable::Insertable;
727 #[doc(inline)]
728 pub use crate::macros::prelude::*;
729 #[doc(inline)]
730 pub use crate::query_builder::AsChangeset;
731 #[doc(inline)]
732 pub use crate::query_builder::DecoratableTarget;
733 #[doc(inline)]
734 pub use crate::query_dsl::{
735 BelongingToDsl, CombineDsl, JoinOnDsl, QueryDsl, RunQueryDsl, SaveChangesDsl,
736 };
737 pub use crate::query_source::SizeRestrictedColumn as _;
738 #[doc(inline)]
739 pub use crate::query_source::{Column, JoinTo, QuerySource, Table};
740 #[doc(inline)]
741 pub use crate::result::{
742 ConnectionError, ConnectionResult, OptionalEmptyChangesetExtension, OptionalExtension,
743 QueryResult,
744 };
745 #[doc(inline)]
746 pub use diesel_derives::table_proc as table;
747
748 #[cfg(feature = "mysql")]
749 #[doc(inline)]
750 pub use crate::mysql::MysqlConnection;
751 #[doc(inline)]
752 #[cfg(feature = "postgres_backend")]
753 pub use crate::pg::query_builder::copy::ExecuteCopyFromDsl;
754 #[cfg(feature = "postgres")]
755 #[doc(inline)]
756 pub use crate::pg::PgConnection;
757 #[cfg(feature = "sqlite")]
758 #[doc(inline)]
759 pub use crate::sqlite::SqliteConnection;
760}
761
762#[doc(inline)]
763pub use crate::macros::table;
764pub use crate::prelude::*;
765#[doc(inline)]
766pub use crate::query_builder::debug_query;
767#[doc(inline)]
768#[cfg(feature = "postgres")]
769pub use crate::query_builder::functions::{copy_from, copy_to};
770#[doc(inline)]
771pub use crate::query_builder::functions::{
772 delete, insert_into, insert_or_ignore_into, replace_into, select, sql_query, update,
773};
774pub use crate::result::Error::NotFound;
775
776extern crate self as diesel;