1//! Representation of migrations
23use crate::backend::Backend;
4use crate::connection::{BoxableConnection, Connection};
5use crate::deserialize::{FromSql, FromSqlRow};
6use crate::expression::AsExpression;
7use crate::result::QueryResult;
8use crate::serialize::ToSql;
9use crate::sql_types::Text;
10use std::borrow::Cow;
11use std::error::Error;
12use std::fmt::Display;
1314/// A specialized result type representing the result of
15/// a migration operation
16pub type Result<T> = std::result::Result<T, Box<dyn Error + Send + Sync>>;
1718/// A migration version identifier
19///
20/// This is used by the migration harness to place migrations
21/// in order, therefore two different instances of this type
22/// must be sortable
23#[derive(Debug, Hash, PartialEq, Eq, PartialOrd, Ord, FromSqlRow, AsExpression)]
24#[diesel(sql_type = Text)]
25pub struct MigrationVersion<'a>(Cow<'a, str>);
2627impl MigrationVersion<'_> {
28/// Convert the current migration version into
29 /// an owned variant with static life time
30pub fn as_owned(&self) -> MigrationVersion<'static> {
31 MigrationVersion(Cow::Owned(self.0.as_ref().to_owned()))
32 }
33}
3435impl<DB> FromSql<Text, DB> for MigrationVersion<'_>
36where
37String: FromSql<Text, DB>,
38 DB: Backend,
39{
40fn from_sql(bytes: DB::RawValue<'_>) -> crate::deserialize::Result<Self> {
41let s = String::from_sql(bytes)?;
42Ok(Self(Cow::Owned(s)))
43 }
44}
4546impl<'a, DB> ToSql<Text, DB> for MigrationVersion<'a>
47where
48Cow<'a, str>: ToSql<Text, DB>,
49 DB: Backend,
50{
51fn to_sql<'b>(
52&'b self,
53 out: &mut crate::serialize::Output<'b, '_, DB>,
54 ) -> crate::serialize::Result {
55self.0.to_sql(out)
56 }
57}
5859impl From<String> for MigrationVersion<'_> {
60fn from(s: String) -> Self {
61 MigrationVersion(Cow::Owned(s))
62 }
63}
6465impl<'a> From<&'a str> for MigrationVersion<'a> {
66fn from(s: &'a str) -> Self {
67 MigrationVersion(Cow::Borrowed(s))
68 }
69}
7071impl<'a> From<&'a String> for MigrationVersion<'a> {
72fn from(s: &'a String) -> Self {
73 MigrationVersion(Cow::Borrowed(s))
74 }
75}
7677impl Display for MigrationVersion<'_> {
78fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
79 f.write_str(self.0.as_ref())
80 }
81}
8283/// Represents the name of a migration
84///
85/// Users should threat this as `impl Display` type,
86/// for implementors of custom migration types
87/// this opens the possibility to roll out their own versioning
88/// schema.
89pub trait MigrationName: Display {
90/// The version corresponding to the current migration name
91fn version(&self) -> MigrationVersion<'_>;
92}
9394/// Represents a migration that interacts with diesel
95pub trait Migration<DB: Backend> {
96/// Apply this migration
97fn run(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()>;
9899/// Revert this migration
100fn revert(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()>;
101102/// Get a the attached metadata for this migration
103fn metadata(&self) -> &dyn MigrationMetadata;
104105/// Get the name of the current migration
106 ///
107 /// The provided name is used by migration harness
108 /// to get the version of a migration and to
109 /// as something to that is displayed and allows
110 /// user to identify a specific migration
111fn name(&self) -> &dyn MigrationName;
112}
113114/// This trait is designed to customize the behaviour
115/// of the default migration harness of diesel
116///
117/// Any new customization option will be added
118/// as new function here. Each new function
119/// will have a default implementation
120/// returning the old a value corresponding
121/// to the old uncustomized behaviour
122pub trait MigrationMetadata {
123/// Whether the current migration is executed in a transaction or not
124 ///
125 /// By default each migration is executed in a own transaction, but
126 /// certain operations (like creating an index on an existing column)
127 /// requires running the migration without transaction.
128 ///
129 /// By default this function returns true
130fn run_in_transaction(&self) -> bool {
131true
132}
133}
134135/// A migration source is an entity that can be used
136/// to receive a number of migrations from.
137pub trait MigrationSource<DB: Backend> {
138/// Get a list of migrations associated with this
139 /// migration source.
140fn migrations(&self) -> Result<Vec<Box<dyn Migration<DB>>>>;
141}
142143impl<DB: Backend> Migration<DB> for Box<dyn Migration<DB> + '_> {
144fn run(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()> {
145 (**self).run(conn)
146 }
147148fn revert(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()> {
149 (**self).revert(conn)
150 }
151152fn metadata(&self) -> &dyn MigrationMetadata {
153 (**self).metadata()
154 }
155156fn name(&self) -> &dyn MigrationName {
157 (**self).name()
158 }
159}
160161impl<DB: Backend> Migration<DB> for &dyn Migration<DB> {
162fn run(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()> {
163 (**self).run(conn)
164 }
165166fn revert(&self, conn: &mut dyn BoxableConnection<DB>) -> Result<()> {
167 (**self).revert(conn)
168 }
169170fn metadata(&self) -> &dyn MigrationMetadata {
171 (**self).metadata()
172 }
173174fn name(&self) -> &dyn MigrationName {
175 (**self).name()
176 }
177}
178179/// Create table statement for the `__diesel_schema_migrations` used
180/// used by the postgresql, sqlite and mysql backend
181pub const CREATE_MIGRATIONS_TABLE: &str = include_str!("setup_migration_table.sql");
182183/// A trait indicating that a connection could be used to manage migrations
184///
185/// Only custom backend implementations need to think about this trait
186pub trait MigrationConnection: Connection {
187/// Setup the following table:
188 ///
189 /// ```rust
190 /// diesel::table! {
191 /// __diesel_schema_migrations(version) {
192 /// version -> Text,
193 /// /// defaults to `CURRENT_TIMESTAMP`
194 /// run_on -> Timestamp,
195 /// }
196 /// }
197 /// ```
198fn setup(&mut self) -> QueryResult<usize>;
199}
200201#[cfg(feature = "postgres")]
202impl MigrationConnection for crate::pg::PgConnection {
203fn setup(&mut self) -> QueryResult<usize> {
204use crate::RunQueryDsl;
205crate::sql_query(CREATE_MIGRATIONS_TABLE).execute(self)
206 }
207}
208209#[cfg(feature = "mysql")]
210impl MigrationConnection for crate::mysql::MysqlConnection {
211fn setup(&mut self) -> QueryResult<usize> {
212use crate::RunQueryDsl;
213crate::sql_query(CREATE_MIGRATIONS_TABLE).execute(self)
214 }
215}
216217#[cfg(feature = "sqlite")]
218impl MigrationConnection for crate::sqlite::SqliteConnection {
219fn setup(&mut self) -> QueryResult<usize> {
220use crate::RunQueryDsl;
221crate::sql_query(CREATE_MIGRATIONS_TABLE).execute(self)
222 }
223}