diesel/connection/instrumentation.rs
1use std::fmt::Debug;
2use std::fmt::Display;
3use std::num::NonZeroU32;
4use std::ops::DerefMut;
5
6static GLOBAL_INSTRUMENTATION: std::sync::RwLock<fn() -> Option<Box<dyn Instrumentation>>> =
7 std::sync::RwLock::new(|| None);
8
9/// A helper trait for opaque query representations
10/// which allows to get a `Display` and `Debug`
11/// representation of the underlying type without
12/// exposing type specific details
13pub trait DebugQuery: Debug + Display {}
14
15impl<T, DB> DebugQuery for crate::query_builder::DebugQuery<'_, T, DB> where Self: Debug + Display {}
16
17/// A helper type that allows printing out str slices
18///
19/// This type is necessary because it's not possible
20/// to cast from a reference of a unsized type like `&str`
21/// to a reference of a trait object even if that
22/// type implements all necessary traits
23#[diesel_derives::__diesel_public_if(
24 feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes"
25)]
26pub(crate) struct StrQueryHelper<'query> {
27 s: &'query str,
28}
29
30impl<'query> StrQueryHelper<'query> {
31 /// Construct a new `StrQueryHelper`
32 #[diesel_derives::__diesel_public_if(
33 feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes"
34 )]
35 #[cfg(any(
36 feature = "postgres",
37 feature = "sqlite",
38 feature = "mysql",
39 feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes"
40 ))]
41 pub(crate) fn new(s: &'query str) -> Self {
42 Self { s }
43 }
44}
45
46impl Debug for StrQueryHelper<'_> {
47 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
48 Debug::fmt(self.s, f)
49 }
50}
51
52impl Display for StrQueryHelper<'_> {
53 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
54 Display::fmt(&self.s, f)
55 }
56}
57
58impl DebugQuery for StrQueryHelper<'_> {}
59
60/// This enum describes possible connection events
61/// that can be handled by an [`Instrumentation`] implementation
62///
63/// Some fields might contain sensitive information, like login
64/// details for the database.
65///
66/// Diesel does not guarantee that future versions will
67/// emit the same events in the same order or timing.
68/// In addition the output of the [`Debug`] and [`Display`]
69/// implementation of the enum itself and any of its fields
70/// is not guarantee to be stable.
71//
72// This type is carefully designed
73// to avoid any potential overhead by
74// taking references for all things
75// and by not performing any additional
76// work until required.
77// In addition it's carefully designed
78// not to be dependent on the actual backend
79// type, as that makes it easier to reuse
80// `Instrumentation` implementations in
81// a different context
82#[derive(Debug)]
83#[non_exhaustive]
84pub enum InstrumentationEvent<'a> {
85 /// An event emitted by before starting
86 /// establishing a new connection
87 #[non_exhaustive]
88 StartEstablishConnection {
89 /// The database url the connection
90 /// tries to connect to
91 ///
92 /// This might contain sensitive information
93 /// like the database password
94 url: &'a str,
95 },
96 /// An event emitted after establishing a
97 /// new connection
98 #[non_exhaustive]
99 FinishEstablishConnection {
100 /// The database url the connection
101 /// tries is connected to
102 ///
103 /// This might contain sensitive information
104 /// like the database password
105 url: &'a str,
106 /// An optional error if the connection failed
107 error: Option<&'a crate::result::ConnectionError>,
108 },
109 /// An event that is emitted before executing
110 /// a query
111 #[non_exhaustive]
112 StartQuery {
113 /// A opaque representation of the query
114 ///
115 /// This type implements [`Debug`] and [`Display`],
116 /// but should be considered otherwise as opaque.
117 ///
118 /// The exact output of the [`Debug`] and [`Display`]
119 /// implementation is not considered as part of the
120 /// stable API.
121 query: &'a dyn DebugQuery,
122 },
123 /// An event that is emitted when a query
124 /// is cached in the connection internal
125 /// prepared statement cache
126 #[non_exhaustive]
127 CacheQuery {
128 /// SQL string of the cached query
129 sql: &'a str,
130 },
131 /// An event that is emitted after executing
132 /// a query
133 #[non_exhaustive]
134 FinishQuery {
135 /// A opaque representation of the query
136 ///
137 /// This type implements [`Debug`] and [`Display`],
138 /// but should be considered otherwise as opaque.
139 ///
140 /// The exact output of the [`Debug`] and [`Display`]
141 /// implementation is not considered as part of the
142 /// stable API.
143 query: &'a dyn DebugQuery,
144 /// An optional error if the connection failed
145 error: Option<&'a crate::result::Error>,
146 },
147 /// An event that is emitted while
148 /// starting a new transaction
149 #[non_exhaustive]
150 BeginTransaction {
151 /// Transaction level of the newly started
152 /// transaction
153 depth: NonZeroU32,
154 },
155 /// An event that is emitted while
156 /// committing a transaction
157 #[non_exhaustive]
158 CommitTransaction {
159 /// Transaction level of the to be committed
160 /// transaction
161 depth: NonZeroU32,
162 },
163 /// An event that is emitted while
164 /// rolling back a transaction
165 #[non_exhaustive]
166 RollbackTransaction {
167 /// Transaction level of the to be rolled
168 /// back transaction
169 depth: NonZeroU32,
170 },
171}
172
173// these constructors exist to
174// keep `#[non_exhaustive]` on all the variants
175// and to gate the constructors on the unstable feature
176#[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
177impl<'a> InstrumentationEvent<'a> {
178 /// Create a new `InstrumentationEvent::StartEstablishConnection` event
179 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
180 pub fn start_establish_connection(url: &'a str) -> Self {
181 Self::StartEstablishConnection { url }
182 }
183
184 /// Create a new `InstrumentationEvent::FinishEstablishConnection` event
185 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
186 pub fn finish_establish_connection(
187 url: &'a str,
188 error: Option<&'a crate::result::ConnectionError>,
189 ) -> Self {
190 Self::FinishEstablishConnection { url, error }
191 }
192
193 /// Create a new `InstrumentationEvent::StartQuery` event
194 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
195 pub fn start_query(query: &'a dyn DebugQuery) -> Self {
196 Self::StartQuery { query }
197 }
198
199 /// Create a new `InstrumentationEvent::CacheQuery` event
200 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
201 pub fn cache_query(sql: &'a str) -> Self {
202 Self::CacheQuery { sql }
203 }
204
205 /// Create a new `InstrumentationEvent::FinishQuery` event
206 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
207 pub fn finish_query(
208 query: &'a dyn DebugQuery,
209 error: Option<&'a crate::result::Error>,
210 ) -> Self {
211 Self::FinishQuery { query, error }
212 }
213
214 /// Create a new `InstrumentationEvent::BeginTransaction` event
215 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
216 pub fn begin_transaction(depth: NonZeroU32) -> Self {
217 Self::BeginTransaction { depth }
218 }
219
220 /// Create a new `InstrumentationEvent::RollbackTransaction` event
221 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
222 pub fn rollback_transaction(depth: NonZeroU32) -> Self {
223 Self::RollbackTransaction { depth }
224 }
225
226 /// Create a new `InstrumentationEvent::CommitTransaction` event
227 #[cfg(feature = "i-implement-a-third-party-backend-and-opt-into-breaking-changes")]
228 pub fn commit_transaction(depth: NonZeroU32) -> Self {
229 Self::CommitTransaction { depth }
230 }
231}
232
233/// A type that provides an connection `Instrumentation`
234///
235/// This trait is the basic building block for logging or
236/// otherwise instrumenting diesel connection types. It
237/// acts as callback that receives information about certain
238/// important connection states
239///
240/// For simple usages this trait is implemented for closures
241/// accepting a [`InstrumentationEvent`] as argument.
242///
243/// More complex usages and integrations with frameworks like
244/// `tracing` and `log` are supposed to be part of their own
245/// crates.
246pub trait Instrumentation: Send + 'static {
247 /// The function that is invoked for each event
248 fn on_connection_event(&mut self, event: InstrumentationEvent<'_>);
249}
250
251/// Get an instance of the default [`Instrumentation`]
252///
253/// This function is mostly useful for crates implementing
254/// their own connection types
255pub fn get_default_instrumentation() -> Option<Box<dyn Instrumentation>> {
256 match GLOBAL_INSTRUMENTATION.read() {
257 Ok(f) => (*f)(),
258 Err(_) => None,
259 }
260}
261
262/// Set a custom constructor for the default [`Instrumentation`]
263/// used by new connections
264///
265/// ```rust
266/// use diesel::connection::{set_default_instrumentation, Instrumentation, InstrumentationEvent};
267///
268/// // a simple logger that prints all events to stdout
269/// fn simple_logger() -> Option<Box<dyn Instrumentation>> {
270/// // we need the explicit argument type there due
271/// // to bugs in rustc
272/// Some(Box::new(|event: InstrumentationEvent<'_>| {
273/// println!("{event:?}")
274/// }))
275/// }
276///
277/// set_default_instrumentation(simple_logger);
278/// ```
279pub fn set_default_instrumentation(
280 default: fn() -> Option<Box<dyn Instrumentation>>,
281) -> crate::QueryResult<()> {
282 match GLOBAL_INSTRUMENTATION.write() {
283 Ok(mut l) => {
284 *l = default;
285 Ok(())
286 }
287 Err(e) => Err(crate::result::Error::DatabaseError(
288 crate::result::DatabaseErrorKind::Unknown,
289 Box::new(e.to_string()),
290 )),
291 }
292}
293
294impl<F> Instrumentation for F
295where
296 F: FnMut(InstrumentationEvent<'_>) + Send + 'static,
297{
298 fn on_connection_event(&mut self, event: InstrumentationEvent<'_>) {
299 (self)(event)
300 }
301}
302
303impl Instrumentation for Box<dyn Instrumentation> {
304 fn on_connection_event(&mut self, event: InstrumentationEvent<'_>) {
305 self.deref_mut().on_connection_event(event)
306 }
307}
308
309impl<T> Instrumentation for Option<T>
310where
311 T: Instrumentation,
312{
313 fn on_connection_event(&mut self, event: InstrumentationEvent<'_>) {
314 if let Some(i) = self {
315 i.on_connection_event(event)
316 }
317 }
318}