tokio_postgres/
transaction.rs

1use crate::copy_out::CopyOutStream;
2use crate::query::RowStream;
3#[cfg(feature = "runtime")]
4use crate::tls::MakeTlsConnect;
5use crate::tls::TlsConnect;
6use crate::types::{BorrowToSql, ToSql, Type};
7#[cfg(feature = "runtime")]
8use crate::Socket;
9use crate::{
10    bind, query, slice_iter, CancelToken, Client, CopyInSink, Error, Portal, Row,
11    SimpleQueryMessage, Statement, ToStatement,
12};
13use bytes::Buf;
14use futures_util::TryStreamExt;
15use tokio::io::{AsyncRead, AsyncWrite};
16
17/// A representation of a PostgreSQL database transaction.
18///
19/// Transactions will implicitly roll back when dropped. Use the `commit` method to commit the changes made in the
20/// transaction. Transactions can be nested, with inner transactions implemented via safepoints.
21pub struct Transaction<'a> {
22    client: &'a mut Client,
23    savepoint: Option<Savepoint>,
24    done: bool,
25}
26
27/// A representation of a PostgreSQL database savepoint.
28struct Savepoint {
29    name: String,
30    depth: u32,
31}
32
33impl Drop for Transaction<'_> {
34    fn drop(&mut self) {
35        if self.done {
36            return;
37        }
38
39        let name = self.savepoint.as_ref().map(|sp| sp.name.as_str());
40        self.client.__private_api_rollback(name);
41    }
42}
43
44impl<'a> Transaction<'a> {
45    pub(crate) fn new(client: &'a mut Client) -> Transaction<'a> {
46        Transaction {
47            client,
48            savepoint: None,
49            done: false,
50        }
51    }
52
53    /// Consumes the transaction, committing all changes made within it.
54    pub async fn commit(mut self) -> Result<(), Error> {
55        self.done = true;
56        let query = if let Some(sp) = self.savepoint.as_ref() {
57            format!("RELEASE {}", sp.name)
58        } else {
59            "COMMIT".to_string()
60        };
61        self.client.batch_execute(&query).await
62    }
63
64    /// Rolls the transaction back, discarding all changes made within it.
65    ///
66    /// This is equivalent to `Transaction`'s `Drop` implementation, but provides any error encountered to the caller.
67    pub async fn rollback(mut self) -> Result<(), Error> {
68        self.done = true;
69        let query = if let Some(sp) = self.savepoint.as_ref() {
70            format!("ROLLBACK TO {}", sp.name)
71        } else {
72            "ROLLBACK".to_string()
73        };
74        self.client.batch_execute(&query).await
75    }
76
77    /// Like `Client::prepare`.
78    pub async fn prepare(&self, query: &str) -> Result<Statement, Error> {
79        self.client.prepare(query).await
80    }
81
82    /// Like `Client::prepare_typed`.
83    pub async fn prepare_typed(
84        &self,
85        query: &str,
86        parameter_types: &[Type],
87    ) -> Result<Statement, Error> {
88        self.client.prepare_typed(query, parameter_types).await
89    }
90
91    /// Like `Client::query`.
92    pub async fn query<T>(
93        &self,
94        statement: &T,
95        params: &[&(dyn ToSql + Sync)],
96    ) -> Result<Vec<Row>, Error>
97    where
98        T: ?Sized + ToStatement,
99    {
100        self.client.query(statement, params).await
101    }
102
103    /// Like `Client::query_one`.
104    pub async fn query_one<T>(
105        &self,
106        statement: &T,
107        params: &[&(dyn ToSql + Sync)],
108    ) -> Result<Row, Error>
109    where
110        T: ?Sized + ToStatement,
111    {
112        self.client.query_one(statement, params).await
113    }
114
115    /// Like `Client::query_opt`.
116    pub async fn query_opt<T>(
117        &self,
118        statement: &T,
119        params: &[&(dyn ToSql + Sync)],
120    ) -> Result<Option<Row>, Error>
121    where
122        T: ?Sized + ToStatement,
123    {
124        self.client.query_opt(statement, params).await
125    }
126
127    /// Like `Client::query_raw`.
128    pub async fn query_raw<T, P, I>(&self, statement: &T, params: I) -> Result<RowStream, Error>
129    where
130        T: ?Sized + ToStatement,
131        P: BorrowToSql,
132        I: IntoIterator<Item = P>,
133        I::IntoIter: ExactSizeIterator,
134    {
135        self.client.query_raw(statement, params).await
136    }
137
138    /// Like `Client::query_typed`.
139    pub async fn query_typed(
140        &self,
141        statement: &str,
142        params: &[(&(dyn ToSql + Sync), Type)],
143    ) -> Result<Vec<Row>, Error> {
144        self.client.query_typed(statement, params).await
145    }
146
147    /// Like `Client::query_typed_raw`.
148    pub async fn query_typed_raw<P, I>(&self, query: &str, params: I) -> Result<RowStream, Error>
149    where
150        P: BorrowToSql,
151        I: IntoIterator<Item = (P, Type)>,
152    {
153        self.client.query_typed_raw(query, params).await
154    }
155
156    /// Like `Client::execute`.
157    pub async fn execute<T>(
158        &self,
159        statement: &T,
160        params: &[&(dyn ToSql + Sync)],
161    ) -> Result<u64, Error>
162    where
163        T: ?Sized + ToStatement,
164    {
165        self.client.execute(statement, params).await
166    }
167
168    /// Like `Client::execute_iter`.
169    pub async fn execute_raw<P, I, T>(&self, statement: &T, params: I) -> Result<u64, Error>
170    where
171        T: ?Sized + ToStatement,
172        P: BorrowToSql,
173        I: IntoIterator<Item = P>,
174        I::IntoIter: ExactSizeIterator,
175    {
176        self.client.execute_raw(statement, params).await
177    }
178
179    /// Binds a statement to a set of parameters, creating a `Portal` which can be incrementally queried.
180    ///
181    /// Portals only last for the duration of the transaction in which they are created, and can only be used on the
182    /// connection that created them.
183    ///
184    /// # Panics
185    ///
186    /// Panics if the number of parameters provided does not match the number expected.
187    pub async fn bind<T>(
188        &self,
189        statement: &T,
190        params: &[&(dyn ToSql + Sync)],
191    ) -> Result<Portal, Error>
192    where
193        T: ?Sized + ToStatement,
194    {
195        self.bind_raw(statement, slice_iter(params)).await
196    }
197
198    /// A maximally flexible version of [`bind`].
199    ///
200    /// [`bind`]: #method.bind
201    pub async fn bind_raw<P, T, I>(&self, statement: &T, params: I) -> Result<Portal, Error>
202    where
203        T: ?Sized + ToStatement,
204        P: BorrowToSql,
205        I: IntoIterator<Item = P>,
206        I::IntoIter: ExactSizeIterator,
207    {
208        let statement = statement.__convert().into_statement(self.client).await?;
209        bind::bind(self.client.inner(), statement, params).await
210    }
211
212    /// Continues execution of a portal, returning a stream of the resulting rows.
213    ///
214    /// Unlike `query`, portals can be incrementally evaluated by limiting the number of rows returned in each call to
215    /// `query_portal`. If the requested number is negative or 0, all rows will be returned.
216    pub async fn query_portal(&self, portal: &Portal, max_rows: i32) -> Result<Vec<Row>, Error> {
217        self.query_portal_raw(portal, max_rows)
218            .await?
219            .try_collect()
220            .await
221    }
222
223    /// The maximally flexible version of [`query_portal`].
224    ///
225    /// [`query_portal`]: #method.query_portal
226    pub async fn query_portal_raw(
227        &self,
228        portal: &Portal,
229        max_rows: i32,
230    ) -> Result<RowStream, Error> {
231        query::query_portal(self.client.inner(), portal, max_rows).await
232    }
233
234    /// Like `Client::copy_in`.
235    pub async fn copy_in<T, U>(&self, statement: &T) -> Result<CopyInSink<U>, Error>
236    where
237        T: ?Sized + ToStatement,
238        U: Buf + 'static + Send,
239    {
240        self.client.copy_in(statement).await
241    }
242
243    /// Like `Client::copy_out`.
244    pub async fn copy_out<T>(&self, statement: &T) -> Result<CopyOutStream, Error>
245    where
246        T: ?Sized + ToStatement,
247    {
248        self.client.copy_out(statement).await
249    }
250
251    /// Like `Client::simple_query`.
252    pub async fn simple_query(&self, query: &str) -> Result<Vec<SimpleQueryMessage>, Error> {
253        self.client.simple_query(query).await
254    }
255
256    /// Like `Client::batch_execute`.
257    pub async fn batch_execute(&self, query: &str) -> Result<(), Error> {
258        self.client.batch_execute(query).await
259    }
260
261    /// Like `Client::cancel_token`.
262    pub fn cancel_token(&self) -> CancelToken {
263        self.client.cancel_token()
264    }
265
266    /// Like `Client::cancel_query`.
267    #[cfg(feature = "runtime")]
268    #[deprecated(since = "0.6.0", note = "use Transaction::cancel_token() instead")]
269    pub async fn cancel_query<T>(&self, tls: T) -> Result<(), Error>
270    where
271        T: MakeTlsConnect<Socket>,
272    {
273        #[allow(deprecated)]
274        self.client.cancel_query(tls).await
275    }
276
277    /// Like `Client::cancel_query_raw`.
278    #[deprecated(since = "0.6.0", note = "use Transaction::cancel_token() instead")]
279    pub async fn cancel_query_raw<S, T>(&self, stream: S, tls: T) -> Result<(), Error>
280    where
281        S: AsyncRead + AsyncWrite + Unpin,
282        T: TlsConnect<S>,
283    {
284        #[allow(deprecated)]
285        self.client.cancel_query_raw(stream, tls).await
286    }
287
288    /// Like `Client::transaction`, but creates a nested transaction via a savepoint.
289    pub async fn transaction(&mut self) -> Result<Transaction<'_>, Error> {
290        self._savepoint(None).await
291    }
292
293    /// Like `Client::transaction`, but creates a nested transaction via a savepoint with the specified name.
294    pub async fn savepoint<I>(&mut self, name: I) -> Result<Transaction<'_>, Error>
295    where
296        I: Into<String>,
297    {
298        self._savepoint(Some(name.into())).await
299    }
300
301    async fn _savepoint(&mut self, name: Option<String>) -> Result<Transaction<'_>, Error> {
302        let depth = self.savepoint.as_ref().map_or(0, |sp| sp.depth) + 1;
303        let name = name.unwrap_or_else(|| format!("sp_{depth}"));
304        let query = format!("SAVEPOINT {name}");
305        self.batch_execute(&query).await?;
306
307        Ok(Transaction {
308            client: self.client,
309            savepoint: Some(Savepoint { name, depth }),
310            done: false,
311        })
312    }
313
314    /// Returns a reference to the underlying `Client`.
315    pub fn client(&self) -> &Client {
316        self.client
317    }
318}