risingwave_error/
anyhow.rs

1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15/// Define a newtype wrapper around [`anyhow::Error`].
16///
17/// # Usage
18///
19/// ```ignore
20/// def_anyhow_newtype! {
21///    /// Documentation for the newtype.
22///    #[derive(..)]
23///    pub MyError,
24///
25///    // Default context messages for each source error type goes below.
26///    mysql::Error => "failed to interact with MySQL",
27///    postgres::Error => "failed to interact with PostgreSQL",
28///    opendal::Error => transparent, // if it's believed to be self-explanatory
29///                                   // and any context is not necessary
30/// }
31/// ```
32///
33/// # Construction
34///
35/// Unlike [`anyhow::Error`], the newtype **CANNOT** be converted from any error
36/// types implicitly. Instead, it can only be converted from [`anyhow::Error`]
37/// by default.
38///
39/// - Users are encouraged to use [`anyhow::Context`] to attach detailed
40///   information to the source error and make it an [`anyhow::Error`] before
41///   converting it to the newtype.
42///
43/// - Otherwise, specify the default context for each source error type as shown
44///   in the example above, which will be expanded into a `From` implementation
45///   from the source error type to the newtype. This should **NOT** be preferred
46///   in most cases since it's less informative than the ad-hoc context provided
47///   with [`anyhow::Context`] at the call site, but it could still be useful
48///   during refactoring, or if the source error type is believed to be
49///   self-explanatory.
50///
51/// To construct a new error from scratch, one can still use macros like
52/// `anyhow::anyhow!` or `risingwave_common::bail!`. Since `bail!` and `?`
53/// already imply an `into()` call, developers do not need to care about the
54/// type conversion most of the time.
55///
56/// ## Example
57///
58/// ```ignore
59/// fn read_offset_from_mysql() -> Result<String, mysql::Error> {
60///     ..
61/// }
62/// fn parse_offset(offset: &str) -> Result<i64, ParseIntError> {
63///     ..
64/// }
65///
66/// fn work() -> Result<(), MyError> {
67///     // `mysql::Error` can be converted to `MyError` implicitly with `?`
68///     // as the default context is provided in the definition.
69///     let offset = read_offset_from_mysql()?;
70///
71///     // Instead, `ParseIntError` cannot be directly converted to `MyError`
72///     // with `?`, so the caller must attach context explicitly.
73///     //
74///     // This makes sense as the semantics of the integer ("offset") holds
75///     // important information and are not implied by the error type itself.
76///     let offset = parse_offset(&offset).context("failed to parse offset")?;
77///
78///     if offset < 0 {
79///         // Construct a new error with `bail!` macro.
80///         bail!("offset `{}` must be non-negative", offset);
81///     }
82/// }
83/// ```
84///
85/// # Discussion
86///
87/// - What's the purpose of the newtype?
88///   * It is to provide extra type information for errors, which makes it
89///     clearer to identify which module or crate the error comes from when
90///     it is passed around.
91///   * It enforces the developer to attach context (explicitly or by default)
92///     when doing type conversion, which makes the error more informative.
93///
94/// - Is the effect essentially the same as `thiserror`?
95///   * Yes, but we're here intentionally making the error type less actionable
96///     to make it informative with no fear.
97///   * To elaborate, consider the following `thiserror` example:
98///     ```ignore
99///     #[derive(thiserror::Error, Debug)]
100///     pub enum MyError {
101///         #[error("failed to interact with MySQL")]
102///         MySql(#[from] mysql::Error),
103///         #[error(transparent)]
104///         Other(#[from] anyhow::Error),
105///     }
106///     ```
107///     This gives the caller an illusion that all errors related to MySQL are
108///     under the `MySql` variant, which is not true as one could attach context
109///     to an `mysql::Error` with [`anyhow::Context`] and make it go into the
110///     `Other` variant.
111///
112///     By doing type erasure with `anyhow`, we're making it clear that the
113///     error is not actionable so such confusion is avoided.
114#[macro_export]
115macro_rules! def_anyhow_newtype {
116    (@from $error:ident transparent) => {
117        Self(::anyhow::Error::new($error))
118    };
119    (@from $error:ident $context:literal) => {
120        Self(::anyhow::Error::new($error).context($context))
121    };
122
123    (
124        $(#[$attr:meta])* $vis:vis $name:ident
125        $(, $from:ty => $context:tt)* $(,)?
126    ) => {
127        #[derive(::thiserror::Error, ::std::fmt::Debug)]
128        #[error(transparent)]
129        $(#[$attr])* $vis struct $name(#[from] #[backtrace] pub ::anyhow::Error);
130
131        impl $name {
132            /// Unwrap the newtype to get the inner [`anyhow::Error`].
133            pub fn into_inner(self) -> ::anyhow::Error {
134                self.0
135            }
136
137            /// Get the type name of the inner error.
138            pub fn variant_name(&self) -> &'static str {
139                $(
140                    if self.0.downcast_ref::<$from>().is_some() {
141                        return stringify!($from);
142                    }
143                )*
144                return "connector_error";
145            }
146        }
147
148        $(
149            impl From<$from> for $name {
150                fn from(error: $from) -> Self {
151                    def_anyhow_newtype!(@from error $context)
152                }
153            }
154        )*
155    };
156}
157
158/// Define a newtype + it's variant in the specified type.
159/// This is useful when you want to define a new error type,
160/// but also want to define a variant for it in another enum.
161#[macro_export]
162macro_rules! def_anyhow_variant {
163    (
164        $(#[$attr:meta])* $vis:vis $name:ident,
165        $enum_name:ident $variant_name:ident
166        $(, $from:ty => $context:tt)* $(,)?
167    ) => {
168        def_anyhow_newtype! {
169            $(#[$attr])* $vis $name
170            $(, $from => $context)*
171        }
172
173        $(
174            impl From<$from> for $enum_name {
175                fn from(error: $from) -> Self {
176                    $enum_name::$variant_name($name::from(error))
177                }
178            }
179        )*
180    }
181}
182
183pub use {def_anyhow_newtype, def_anyhow_variant};