sqlx_type/
lib.rs

1//! Proc macros to perform type sql queries similarly to sqlx::query, but without the need
2//! to run `cargo sqlx prepare`
3//!
4//! A schema definition must be placed in "sqlx-type-schema.sql" in the root of a using crate:
5//!
6//! ```sql
7//! DROP TABLE IF EXISTS `t1`;
8//! CREATE TABLE `t1` (
9//!     `id` int(11) NOT NULL,
10//!     `cbool` tinyint(1) NOT NULL,
11//!     `cu8` tinyint UNSIGNED NOT NULL,
12//!     `cu16` smallint UNSIGNED NOT NULL,
13//!     `cu32` int UNSIGNED NOT NULL,
14//!     `cu64` bigint UNSIGNED NOT NULL,
15//!     `ci8` tinyint,
16//!     `ci16` smallint,
17//!     `ci32` int,
18//!     `ci64` bigint,
19//!     `ctext` varchar(100) NOT NULL,
20//!     `cbytes` blob,
21//!     `cf32` float,
22//!     `cf64` double
23//! ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
24//!
25//! ALTER TABLE `t1`
26//!     MODIFY `id` int(11) NOT NULL AUTO_INCREMENT;
27//! ```
28//! See [sql_type::schema] for a detailed description.
29//!
30//! [sql_type::schema]: https://docs.rs/sql-type/latest/sql_type/schema/index.html
31//!
32//! This schema can then be used to type queries:
33//!
34//! ``` no_run
35//! use {std::env, sqlx::MySqlPool, sqlx_type::query};
36//!
37//! async fn test() -> Result<(), sqlx::Error> {
38//!     let pool = MySqlPool::connect(&env::var("DATABASE_URL").unwrap()).await?;
39//!
40//!     let id = query!("INSERT INTO `t1` (`cbool`, `cu8`, `cu16`, `cu32`, `cu64`, `ctext`)
41//!         VALUES (?, ?, ?, ?, ?, ?)", true, 8, 1243, 42, 42, "Hello world")
42//!         .execute(&pool).await?.last_insert_id();
43//!
44//!     let row = query!("SELECT `cu16`, `ctext`, `ci32` FROM `t1` WHERE `id`=?", id)
45//!         .fetch_one(&pool).await?;
46//!
47//!     assert_eq!(row.cu16, 1234);
48//!     assert_eq!(row.ctext, "Hello would");
49//!     assert!(row.ci32.is_none());
50//!     Ok(())
51//! }
52//! ```
53#![forbid(unsafe_code)]
54#[allow(clippy::single_component_path_imports)]
55use sqlx_type_macro;
56
57pub use crate::sqlx_type_macro::{query, query_as};
58
59/// Tag type for integer input
60#[doc(hidden)]
61pub struct Integer;
62
63/// Tag type for float input
64#[doc(hidden)]
65pub struct Float;
66
67/// Tag type for timestamp input
68#[doc(hidden)]
69pub struct Timestamp;
70
71/// Tag type for datetime input
72#[doc(hidden)]
73pub struct DateTime;
74
75/// Tag type for date input
76#[doc(hidden)]
77pub struct Date;
78
79/// Tag type for time input
80#[doc(hidden)]
81pub struct Time;
82
83/// Tag type for time input
84#[doc(hidden)]
85pub struct Any;
86
87/// If ArgIn<T> is implemented for J, it means that J can be used as for arguments of type T
88#[doc(hidden)]
89pub trait ArgIn<T> {}
90pub trait ArgOut<T, const IDX: usize> {}
91
92macro_rules! arg_io {
93    ( $dst: ty, $t: ty ) => {
94        impl ArgIn<$dst> for $t {}
95        impl ArgIn<$dst> for &$t {}
96        impl ArgIn<Option<$dst>> for $t {}
97        impl ArgIn<Option<$dst>> for &$t {}
98        impl ArgIn<Option<$dst>> for Option<$t> {}
99        impl ArgIn<Option<$dst>> for Option<&$t> {}
100        impl ArgIn<Option<$dst>> for &Option<$t> {}
101        impl ArgIn<Option<$dst>> for &Option<&$t> {}
102
103        impl<const IDX: usize> ArgOut<$dst, IDX> for $t {}
104        impl<const IDX: usize> ArgOut<Option<$dst>, IDX> for Option<$t> {}
105        impl<const IDX: usize> ArgOut<$dst, IDX> for Option<$t> {}
106    };
107}
108
109arg_io!(Any, u64);
110arg_io!(Any, i64);
111arg_io!(Any, u32);
112arg_io!(Any, i32);
113arg_io!(Any, u16);
114arg_io!(Any, i16);
115arg_io!(Any, u8);
116arg_io!(Any, i8);
117arg_io!(Any, String);
118arg_io!(Any, f64);
119arg_io!(Any, f32);
120arg_io!(Any, &str);
121
122arg_io!(Integer, u64);
123arg_io!(Integer, i64);
124arg_io!(Integer, u32);
125arg_io!(Integer, i32);
126arg_io!(Integer, u16);
127arg_io!(Integer, i16);
128arg_io!(Integer, u8);
129arg_io!(Integer, i8);
130
131arg_io!(String, String);
132
133arg_io!(Float, f64);
134arg_io!(Float, f32);
135
136arg_io!(u64, u64);
137arg_io!(i64, i64);
138arg_io!(u32, u32);
139arg_io!(i32, i32);
140arg_io!(u16, u16);
141arg_io!(i16, i16);
142arg_io!(u8, u8);
143arg_io!(i8, i8);
144arg_io!(bool, bool);
145arg_io!(f32, f32);
146arg_io!(f64, f64);
147
148arg_io!(&str, &str);
149arg_io!(&str, String);
150arg_io!(&str, std::borrow::Cow<'_, str>);
151
152arg_io!(&[u8], &[u8]);
153arg_io!(&[u8], Vec<u8>);
154arg_io!(Vec<u8>, Vec<u8>);
155
156arg_io!(Timestamp, chrono::NaiveDateTime);
157arg_io!(DateTime, chrono::NaiveDateTime);
158arg_io!(chrono::DateTime<chrono::Utc>, chrono::DateTime<chrono::Utc>);
159arg_io!(Timestamp, chrono::DateTime<chrono::Utc>);
160
161#[doc(hidden)]
162pub fn check_arg<T, T2: ArgIn<T>>(_: &T2) {}
163
164#[doc(hidden)]
165pub fn check_arg_list_hack<T, T2: ArgIn<T>>(_: &[T2]) {}
166
167#[doc(hidden)]
168pub fn arg_out<T, T2: ArgOut<T, IDX>, const IDX: usize>(v: T2) -> T2 {
169    v
170}
171
172#[doc(hidden)]
173pub fn convert_list_query(query: &str, list_sizes: &[usize]) -> String {
174    let mut query_iter = query.split("_LIST_");
175    let mut query = query_iter.next().expect("None empty query").to_string();
176    for size in list_sizes {
177        if *size == 0 {
178            query.push_str("NULL");
179        } else {
180            for i in 0..*size {
181                if i == 0 {
182                    query.push('?');
183                } else {
184                    query.push_str(", ?");
185                }
186            }
187        }
188        query.push_str(query_iter.next().expect("More _LIST_ in query"));
189    }
190    if query_iter.next().is_some() {
191        panic!("Too many _LIST_ in query");
192    }
193    query
194}
195
196#[cfg(test)]
197mod tests {
198    use super::*;
199
200    #[test]
201    fn test_convert_list_query() {
202        // This assert would fire and test will fail.
203        // Please note, that private functions can be tested too!
204        assert_eq!(
205            &convert_list_query("FOO (_LIST_) X _LIST_ O _LIST_ BAR (_LIST_)", &[0, 1, 2, 3]),
206            "FOO (NULL) X ? O ?, ? BAR (?, ?, ?)"
207        );
208    }
209}