1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
#[cfg(feature = "sqlx-dep")]
pub use sqlx::error::Error as SqlxError;
#[cfg(feature = "sqlx-mysql")]
pub use sqlx::mysql::MySqlDatabaseError as SqlxMySqlError;
#[cfg(feature = "sqlx-postgres")]
pub use sqlx::postgres::PgDatabaseError as SqlxPostgresError;
#[cfg(feature = "sqlx-sqlite")]
pub use sqlx::sqlite::SqliteError as SqlxSqliteError;
use std::sync::Arc;
use thiserror::Error;
/// An error from unsuccessful database operations
#[derive(Error, Debug, Clone)]
pub enum DbErr {
/// This error can happen when the connection pool is fully-utilized
#[error("Failed to acquire connection from pool: {0}")]
ConnectionAcquire(#[source] ConnAcquireErr),
/// Runtime type conversion error
#[error("Error converting `{from}` into `{into}`: {source}")]
TryIntoErr {
/// From type
from: &'static str,
/// Into type
into: &'static str,
/// TryError
source: Arc<dyn std::error::Error + Send + Sync>,
},
/// There was a problem with the database connection
#[error("Connection Error: {0}")]
Conn(#[source] RuntimeErr),
/// An operation did not execute successfully
#[error("Execution Error: {0}")]
Exec(#[source] RuntimeErr),
/// An error occurred while performing a query
#[error("Query Error: {0}")]
Query(#[source] RuntimeErr),
/// Type error: the specified type cannot be converted from u64. This is not a runtime error.
#[error("Type '{0}' cannot be converted from u64")]
ConvertFromU64(&'static str),
/// After an insert statement it was impossible to retrieve the last_insert_id
#[error("Failed to unpack last_insert_id")]
UnpackInsertId,
/// When updating, a model should know its primary key to check
/// if the record has been correctly updated, otherwise this error will occur
#[error("Failed to get primary key from model")]
UpdateGetPrimaryKey,
/// The record was not found in the database
#[error("RecordNotFound Error: {0}")]
RecordNotFound(String),
/// Thrown by `TryFrom<ActiveModel>`, which assumes all attributes are set/unchanged
#[error("Attribute {0} is NotSet")]
AttrNotSet(String),
/// A custom error
#[error("Custom Error: {0}")]
Custom(String),
/// Error occurred while parsing value as target type
#[error("Type Error: {0}")]
Type(String),
/// Error occurred while parsing json value as target type
#[error("Json Error: {0}")]
Json(String),
/// A migration error
#[error("Migration Error: {0}")]
Migration(String),
/// None of the records are inserted,
/// that probably means all of them conflict with existing records in the table
#[error("None of the records are inserted")]
RecordNotInserted,
/// None of the records are updated, that means a WHERE condition has no matches.
/// May be the table is empty or the record does not exist
#[error("None of the records are updated")]
RecordNotUpdated,
/// This operation is not supported by the database backend
#[error("Operation not supported by backend {db}: {ctx}")]
BackendNotSupported {
/// Database backend
db: &'static str,
/// Context
ctx: &'static str,
},
/// (Primary) Key arity mismatch
#[error("Key arity mismatch: expected {expected}, received {received}")]
KeyArityMismatch {
/// Expected value
expected: u8,
/// Received value
received: u8,
},
/// Primay key not set for update / delete
#[error("Primay key not set for {ctx}")]
PrimaryKeyNotSet {
/// Context
ctx: &'static str,
},
/// Error while running RBAC checks
#[error("RBAC error: {0}")]
RbacError(String),
/// Access denied after running RBAC checks
#[error("Access denied: cannot perform `{permission}` on `{resource}`")]
AccessDenied {
/// The required permission
permission: String,
/// The requested resource
resource: String,
},
/// Mutex was poisoned by another thread
#[error("Mutex poisoned")]
MutexPoisonError,
}
/// An error from trying to get a row from a Model
#[derive(Debug)]
pub enum TryGetError {
/// A database error was encountered as defined in [crate::DbErr]
DbErr(DbErr),
/// A null value was encountered
Null(String),
}
/// Connection Acquire error
#[derive(Error, Debug, PartialEq, Eq, Copy, Clone)]
pub enum ConnAcquireErr {
/// Connection pool timed out
#[error("Connection pool timed out")]
Timeout,
/// Connection closed
#[error("Connection closed")]
ConnectionClosed,
}
/// Runtime error
#[derive(Error, Debug, Clone)]
pub enum RuntimeErr {
/// SQLx Error
#[cfg(feature = "sqlx-dep")]
#[error("{0}")]
SqlxError(Arc<sqlx::error::Error>),
/// Rusqlite Error
#[cfg(feature = "rusqlite")]
#[error("{0}")]
Rusqlite(Arc<crate::driver::rusqlite::RusqliteError>),
/// Error generated from within SeaORM
#[error("{0}")]
Internal(String),
}
impl PartialEq for DbErr {
fn eq(&self, other: &Self) -> bool {
self.to_string() == other.to_string()
}
}
impl Eq for DbErr {}
/// Error during `impl FromStr for Entity::Column`
#[derive(Error, Debug)]
#[error("Failed to match \"{0}\" as Column")]
pub struct ColumnFromStrErr(pub String);
#[allow(dead_code)]
pub(crate) fn conn_err<T>(s: T) -> DbErr
where
T: ToString,
{
DbErr::Conn(RuntimeErr::Internal(s.to_string()))
}
#[allow(dead_code)]
pub(crate) fn exec_err<T>(s: T) -> DbErr
where
T: ToString,
{
DbErr::Exec(RuntimeErr::Internal(s.to_string()))
}
#[allow(dead_code)]
pub(crate) fn query_err<T>(s: T) -> DbErr
where
T: ToString,
{
DbErr::Query(RuntimeErr::Internal(s.to_string()))
}
#[allow(dead_code)]
pub(crate) fn type_err<T>(s: T) -> DbErr
where
T: ToString,
{
DbErr::Type(s.to_string())
}
#[allow(dead_code)]
pub(crate) fn json_err<T>(s: T) -> DbErr
where
T: ToString,
{
DbErr::Json(s.to_string())
}
/// An error from unsuccessful SQL query
#[derive(Error, Debug, Clone, PartialEq, Eq)]
#[non_exhaustive]
pub enum SqlErr {
/// Error for duplicate record in unique field or primary key field
#[error("Unique Constraint Violated: {0}")]
UniqueConstraintViolation(String),
/// Error for Foreign key constraint
#[error("Foreign Key Constraint Violated: {0}")]
ForeignKeyConstraintViolation(String),
}
#[allow(dead_code)]
impl DbErr {
/// Convert generic DbErr by sqlx to SqlErr, return none if the error is not any type of SqlErr
pub fn sql_err(&self) -> Option<SqlErr> {
#[cfg(any(
feature = "sqlx-mysql",
feature = "sqlx-postgres",
feature = "sqlx-sqlite"
))]
{
use std::ops::Deref;
if let DbErr::Exec(RuntimeErr::SqlxError(e)) | DbErr::Query(RuntimeErr::SqlxError(e)) =
self
{
if let sqlx::Error::Database(e) = e.deref() {
let error_code = e.code().unwrap_or_default();
let _error_code_expanded = error_code.deref();
#[cfg(feature = "sqlx-mysql")]
if e.try_downcast_ref::<sqlx::mysql::MySqlDatabaseError>()
.is_some()
{
let error_number = e
.try_downcast_ref::<sqlx::mysql::MySqlDatabaseError>()?
.number();
match error_number {
// 1022 Can't write; duplicate key in table '%s'
// 1062 Duplicate entry '%s' for key %d
// 1169 Can't write, because of unique constraint, to table '%s'
// 1586 Duplicate entry '%s' for key '%s'
1022 | 1062 | 1169 | 1586 => {
return Some(SqlErr::UniqueConstraintViolation(e.message().into()));
}
// 1216 Cannot add or update a child row: a foreign key constraint fails
// 1217 Cannot delete or update a parent row: a foreign key constraint fails
// 1451 Cannot delete or update a parent row: a foreign key constraint fails (%s)
// 1452 Cannot add or update a child row: a foreign key constraint fails (%s)
// 1557 Upholding foreign key constraints for table '%s', entry '%s', key %d would lead to a duplicate entry
// 1761 Foreign key constraint for table '%s', record '%s' would lead to a duplicate entry in table '%s', key '%s'
// 1762 Foreign key constraint for table '%s', record '%s' would lead to a duplicate entry in a child table
1216 | 1217 | 1451 | 1452 | 1557 | 1761 | 1762 => {
return Some(SqlErr::ForeignKeyConstraintViolation(
e.message().into(),
));
}
_ => return None,
}
}
#[cfg(feature = "sqlx-postgres")]
if e.try_downcast_ref::<sqlx::postgres::PgDatabaseError>()
.is_some()
{
match _error_code_expanded {
"23505" => {
return Some(SqlErr::UniqueConstraintViolation(e.message().into()));
}
"23503" => {
return Some(SqlErr::ForeignKeyConstraintViolation(
e.message().into(),
));
}
_ => return None,
}
}
#[cfg(feature = "sqlx-sqlite")]
if e.try_downcast_ref::<sqlx::sqlite::SqliteError>().is_some() {
match _error_code_expanded {
// error code 1555 refers to the primary key's unique constraint violation
// error code 2067 refers to the UNIQUE unique constraint violation
"1555" | "2067" => {
return Some(SqlErr::UniqueConstraintViolation(e.message().into()));
}
"787" => {
return Some(SqlErr::ForeignKeyConstraintViolation(
e.message().into(),
));
}
_ => return None,
}
}
}
}
}
#[cfg(feature = "rusqlite")]
if let DbErr::Exec(RuntimeErr::Rusqlite(err)) | DbErr::Query(RuntimeErr::Rusqlite(err)) =
self
{
use crate::driver::rusqlite::RusqliteError;
use std::ops::Deref;
if let RusqliteError::SqliteFailure(err, msg) = err.deref() {
match err.extended_code {
1555 | 2067 => {
return Some(SqlErr::UniqueConstraintViolation(
msg.to_owned().unwrap_or_else(|| err.to_string()),
));
}
787 => {
return Some(SqlErr::ForeignKeyConstraintViolation(
msg.to_owned().unwrap_or_else(|| err.to_string()),
));
}
_ => (),
}
}
}
None
}
}