2014-11-04 06:11:00 +08:00
|
|
|
//! Traits dealing with SQLite data types.
|
|
|
|
//!
|
|
|
|
//! SQLite uses a [dynamic type system](https://www.sqlite.org/datatype3.html). Implementations of
|
2018-08-17 00:29:46 +08:00
|
|
|
//! the `ToSql` and `FromSql` traits are provided for the basic types that
|
|
|
|
//! SQLite provides methods for:
|
2014-11-04 06:11:00 +08:00
|
|
|
//!
|
|
|
|
//! * Strings (`String` and `&str`)
|
|
|
|
//! * Blobs (`Vec<u8>` and `&[u8]`)
|
2020-10-23 04:51:30 +08:00
|
|
|
//! * Numbers
|
|
|
|
//!
|
|
|
|
//! The number situation is a little complicated due to the fact that all
|
|
|
|
//! numbers in SQLite are stored as `INTEGER` (`i64`) or `REAL` (`f64`).
|
|
|
|
//!
|
2020-10-26 19:53:20 +08:00
|
|
|
//! `ToSql` and `FromSql` are implemented for all primitive number types.
|
|
|
|
//! `FromSql` has different behaviour depending on the SQL and Rust types, and
|
|
|
|
//! the value.
|
2020-10-23 04:51:30 +08:00
|
|
|
//!
|
2020-10-29 04:12:29 +08:00
|
|
|
//! * `INTEGER` to integer: returns an `Error::IntegralValueOutOfRange` error if
|
2020-10-29 04:19:34 +08:00
|
|
|
//! the value does not fit in the Rust type.
|
2020-10-23 04:51:30 +08:00
|
|
|
//! * `REAL` to integer: always returns an `Error::InvalidColumnType` error.
|
|
|
|
//! * `INTEGER` to float: casts using `as` operator. Never fails.
|
|
|
|
//! * `REAL` to float: casts using `as` operator. Never fails.
|
2014-11-04 06:11:00 +08:00
|
|
|
//!
|
2020-10-26 19:53:20 +08:00
|
|
|
//! `ToSql` always succeeds except when storing a `u64` or `usize` value that
|
|
|
|
//! cannot fit in an `INTEGER` (`i64`). Also note that SQLite ignores column
|
|
|
|
//! types, so if you store an `i64` in a column with type `REAL` it will be
|
|
|
|
//! stored as an `INTEGER`, not a `REAL`.
|
|
|
|
//!
|
|
|
|
//! If the `time` feature is enabled, implementations are
|
2020-07-11 23:59:29 +08:00
|
|
|
//! provided for `time::OffsetDateTime` that use the RFC 3339 date/time format,
|
2017-12-24 17:02:40 +08:00
|
|
|
//! `"%Y-%m-%dT%H:%M:%S.%fZ"`, to store time values as strings. These values
|
|
|
|
//! can be parsed by SQLite's builtin
|
|
|
|
//! [datetime](https://www.sqlite.org/lang_datefunc.html) functions. If you
|
2020-07-11 23:59:29 +08:00
|
|
|
//! want different storage for datetimes, you can use a newtype.
|
2020-10-04 13:39:35 +08:00
|
|
|
#![cfg_attr(
|
|
|
|
feature = "time",
|
|
|
|
doc = r##"
|
2020-07-11 23:59:29 +08:00
|
|
|
For example, to store datetimes as `i64`s counting the number of seconds since
|
|
|
|
the Unix epoch:
|
|
|
|
|
|
|
|
```
|
|
|
|
use rusqlite::types::{FromSql, FromSqlResult, ToSql, ToSqlOutput, ValueRef};
|
|
|
|
use rusqlite::Result;
|
|
|
|
|
|
|
|
pub struct DateTimeSql(pub time::OffsetDateTime);
|
|
|
|
|
|
|
|
impl FromSql for DateTimeSql {
|
|
|
|
fn column_result(value: ValueRef) -> FromSqlResult<Self> {
|
|
|
|
i64::column_result(value).map(|as_i64| {
|
|
|
|
DateTimeSql(time::OffsetDateTime::from_unix_timestamp(as_i64))
|
|
|
|
})
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ToSql for DateTimeSql {
|
|
|
|
fn to_sql(&self) -> Result<ToSqlOutput> {
|
|
|
|
Ok(self.0.timestamp().into())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
```
|
|
|
|
|
2020-10-04 13:39:35 +08:00
|
|
|
"##
|
|
|
|
)]
|
2018-08-17 00:29:46 +08:00
|
|
|
//! `ToSql` and `FromSql` are also implemented for `Option<T>` where `T`
|
|
|
|
//! implements `ToSql` or `FromSql` for the cases where you want to know if a
|
|
|
|
//! value was NULL (which gets translated to `None`).
|
2014-11-04 06:11:00 +08:00
|
|
|
|
2016-12-31 13:35:47 +08:00
|
|
|
pub use self::from_sql::{FromSql, FromSqlError, FromSqlResult};
|
2016-05-26 10:57:43 +08:00
|
|
|
pub use self::to_sql::{ToSql, ToSqlOutput};
|
2016-05-26 11:30:34 +08:00
|
|
|
pub use self::value::Value;
|
2016-05-25 09:34:18 +08:00
|
|
|
pub use self::value_ref::ValueRef;
|
2016-05-23 08:01:03 +08:00
|
|
|
|
2016-05-27 03:03:05 +08:00
|
|
|
use std::fmt;
|
|
|
|
|
2016-02-23 03:36:49 +08:00
|
|
|
#[cfg(feature = "chrono")]
|
|
|
|
mod chrono;
|
2018-08-11 18:48:21 +08:00
|
|
|
mod from_sql;
|
2016-02-26 02:06:37 +08:00
|
|
|
#[cfg(feature = "serde_json")]
|
|
|
|
mod serde_json;
|
2020-07-11 23:59:29 +08:00
|
|
|
#[cfg(feature = "time")]
|
2018-08-11 18:48:21 +08:00
|
|
|
mod time;
|
|
|
|
mod to_sql;
|
2019-03-10 11:16:37 +08:00
|
|
|
#[cfg(feature = "url")]
|
|
|
|
mod url;
|
2018-08-11 18:48:21 +08:00
|
|
|
mod value;
|
|
|
|
mod value_ref;
|
2016-02-23 03:36:49 +08:00
|
|
|
|
2014-11-04 06:11:00 +08:00
|
|
|
/// Empty struct that can be used to fill in a query parameter as `NULL`.
|
|
|
|
///
|
|
|
|
/// ## Example
|
|
|
|
///
|
|
|
|
/// ```rust,no_run
|
2015-12-13 03:06:03 +08:00
|
|
|
/// # use rusqlite::{Connection, Result};
|
2014-11-04 06:11:00 +08:00
|
|
|
/// # use rusqlite::types::{Null};
|
2019-10-13 19:08:33 +08:00
|
|
|
///
|
2018-05-24 03:23:28 +08:00
|
|
|
/// fn insert_null(conn: &Connection) -> Result<usize> {
|
2020-11-03 15:34:08 +08:00
|
|
|
/// conn.execute("INSERT INTO people (name) VALUES (?)", [Null])
|
2014-11-04 06:11:00 +08:00
|
|
|
/// }
|
|
|
|
/// ```
|
2018-08-11 18:48:21 +08:00
|
|
|
#[derive(Copy, Clone)]
|
2014-10-20 07:56:41 +08:00
|
|
|
pub struct Null;
|
|
|
|
|
2020-05-17 17:21:10 +08:00
|
|
|
/// SQLite data types.
|
|
|
|
/// See [Fundamental Datatypes](https://sqlite.org/c3ref/c_blob.html).
|
2018-08-11 18:48:21 +08:00
|
|
|
#[derive(Clone, Debug, PartialEq)]
|
2016-05-27 03:03:05 +08:00
|
|
|
pub enum Type {
|
2020-05-17 17:21:10 +08:00
|
|
|
/// NULL
|
2016-05-27 03:03:05 +08:00
|
|
|
Null,
|
2020-05-17 17:21:10 +08:00
|
|
|
/// 64-bit signed integer
|
2016-05-27 03:03:05 +08:00
|
|
|
Integer,
|
2020-05-17 17:21:10 +08:00
|
|
|
/// 64-bit IEEE floating point number
|
2016-05-27 03:03:05 +08:00
|
|
|
Real,
|
2020-05-17 17:21:10 +08:00
|
|
|
/// String
|
2016-05-27 03:03:05 +08:00
|
|
|
Text,
|
2020-05-17 17:21:10 +08:00
|
|
|
/// BLOB
|
2016-05-27 03:03:05 +08:00
|
|
|
Blob,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl fmt::Display for Type {
|
2018-12-08 04:57:04 +08:00
|
|
|
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
2016-05-27 03:03:05 +08:00
|
|
|
match *self {
|
2020-11-04 11:10:23 +08:00
|
|
|
Type::Null => f.pad("Null"),
|
|
|
|
Type::Integer => f.pad("Integer"),
|
|
|
|
Type::Real => f.pad("Real"),
|
|
|
|
Type::Text => f.pad("Text"),
|
|
|
|
Type::Blob => f.pad("Blob"),
|
2016-05-27 03:03:05 +08:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2014-10-20 07:56:41 +08:00
|
|
|
#[cfg(test)]
|
|
|
|
mod test {
|
2018-08-11 18:48:21 +08:00
|
|
|
use super::Value;
|
2020-11-06 05:14:00 +08:00
|
|
|
use crate::{params, Connection, Error, Result, Statement};
|
2018-08-11 18:48:21 +08:00
|
|
|
use std::f64::EPSILON;
|
|
|
|
use std::os::raw::{c_double, c_int};
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
fn checked_memory_handle() -> Result<Connection> {
|
|
|
|
let db = Connection::open_in_memory()?;
|
|
|
|
db.execute_batch("CREATE TABLE foo (b BLOB, t TEXT, i INTEGER, f FLOAT, n)")?;
|
|
|
|
Ok(db)
|
2014-10-20 07:56:41 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_blob() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2015-12-11 05:48:09 +08:00
|
|
|
let v1234 = vec![1u8, 2, 3, 4];
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(b) VALUES (?)", &[&v1234])?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let v: Vec<u8> = db.query_row("SELECT b FROM foo", [], |r| r.get(0))?;
|
2014-10-20 07:56:41 +08:00
|
|
|
assert_eq!(v, v1234);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2014-10-20 07:56:41 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_empty_blob() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2016-06-14 02:22:21 +08:00
|
|
|
|
|
|
|
let empty = vec![];
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(b) VALUES (?)", &[&empty])?;
|
2016-06-14 02:22:21 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let v: Vec<u8> = db.query_row("SELECT b FROM foo", [], |r| r.get(0))?;
|
2016-06-14 02:22:21 +08:00
|
|
|
assert_eq!(v, empty);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2016-06-14 02:22:21 +08:00
|
|
|
}
|
|
|
|
|
2014-10-20 07:56:41 +08:00
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_str() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2016-05-26 10:57:43 +08:00
|
|
|
let s = "hello, world!";
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(t) VALUES (?)", &[&s])?;
|
2016-05-26 10:57:43 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let from: String = db.query_row("SELECT t FROM foo", [], |r| r.get(0))?;
|
2016-05-26 10:57:43 +08:00
|
|
|
assert_eq!(from, s);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2016-05-26 10:57:43 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_string() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2016-05-26 10:57:43 +08:00
|
|
|
|
2014-10-20 07:56:41 +08:00
|
|
|
let s = "hello, world!";
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(t) VALUES (?)", [s.to_owned()])?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let from: String = db.query_row("SELECT t FROM foo", [], |r| r.get(0))?;
|
2015-03-17 12:55:28 +08:00
|
|
|
assert_eq!(from, s);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2014-10-20 07:56:41 +08:00
|
|
|
}
|
|
|
|
|
2016-05-26 10:57:43 +08:00
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_value() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2016-05-26 10:57:43 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(i) VALUES (?)", [Value::Integer(10)])?;
|
2016-05-26 10:57:43 +08:00
|
|
|
|
2018-08-11 18:48:21 +08:00
|
|
|
assert_eq!(
|
|
|
|
10i64,
|
2020-11-06 05:14:00 +08:00
|
|
|
db.query_row::<i64, _, _>("SELECT i FROM foo", [], |r| r.get(0))?
|
2018-08-11 18:48:21 +08:00
|
|
|
);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2016-05-26 10:57:43 +08:00
|
|
|
}
|
|
|
|
|
2014-10-20 07:56:41 +08:00
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_option() -> Result<()> {
|
|
|
|
let db = checked_memory_handle()?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
|
|
|
let s = Some("hello, world!");
|
2015-12-11 05:48:09 +08:00
|
|
|
let b = Some(vec![1u8, 2, 3, 4]);
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
db.execute("INSERT INTO foo(t) VALUES (?)", &[&s])?;
|
|
|
|
db.execute("INSERT INTO foo(b) VALUES (?)", &[&b])?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let mut stmt = db.prepare("SELECT t, b FROM foo ORDER BY ROWID ASC")?;
|
|
|
|
let mut rows = stmt.query([])?;
|
2014-10-20 07:56:41 +08:00
|
|
|
|
2016-05-19 00:33:58 +08:00
|
|
|
{
|
2020-11-06 05:14:00 +08:00
|
|
|
let row1 = rows.next()?.unwrap();
|
2019-02-22 03:48:09 +08:00
|
|
|
let s1: Option<String> = row1.get_unwrap(0);
|
|
|
|
let b1: Option<Vec<u8>> = row1.get_unwrap(1);
|
2016-05-19 00:33:58 +08:00
|
|
|
assert_eq!(s.unwrap(), s1.unwrap());
|
|
|
|
assert!(b1.is_none());
|
|
|
|
}
|
|
|
|
|
|
|
|
{
|
2020-11-06 05:14:00 +08:00
|
|
|
let row2 = rows.next()?.unwrap();
|
2019-02-22 03:48:09 +08:00
|
|
|
let s2: Option<String> = row2.get_unwrap(0);
|
|
|
|
let b2: Option<Vec<u8>> = row2.get_unwrap(1);
|
2016-05-19 00:33:58 +08:00
|
|
|
assert!(s2.is_none());
|
|
|
|
assert_eq!(b, b2);
|
|
|
|
}
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2014-10-20 07:56:41 +08:00
|
|
|
}
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
#[test]
|
2019-03-22 02:13:55 +08:00
|
|
|
#[allow(clippy::cognitive_complexity)]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_mismatched_types() -> Result<()> {
|
2015-12-13 13:54:08 +08:00
|
|
|
fn is_invalid_column_type(err: Error) -> bool {
|
2020-10-04 13:38:52 +08:00
|
|
|
matches!(err, Error::InvalidColumnType(..))
|
2015-12-13 13:54:08 +08:00
|
|
|
}
|
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let db = checked_memory_handle()?;
|
2015-05-05 09:47:20 +08:00
|
|
|
|
2018-08-11 18:48:21 +08:00
|
|
|
db.execute(
|
|
|
|
"INSERT INTO foo(b, t, i, f) VALUES (X'0102', 'text', 1, 1.5)",
|
2020-11-03 17:32:46 +08:00
|
|
|
[],
|
2020-11-06 05:14:00 +08:00
|
|
|
)?;
|
2015-05-05 09:47:20 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let mut stmt = db.prepare("SELECT b, t, i, f, n FROM foo")?;
|
|
|
|
let mut rows = stmt.query([])?;
|
2015-05-05 09:47:20 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let row = rows.next()?.unwrap();
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// check the correct types come back as expected
|
2020-11-06 05:14:00 +08:00
|
|
|
assert_eq!(vec![1, 2], row.get::<_, Vec<u8>>(0)?);
|
|
|
|
assert_eq!("text", row.get::<_, String>(1)?);
|
|
|
|
assert_eq!(1, row.get::<_, c_int>(2)?);
|
|
|
|
assert!((1.5 - row.get::<_, c_double>(3)?).abs() < EPSILON);
|
|
|
|
assert_eq!(row.get::<_, Option<c_int>>(4)?, None);
|
|
|
|
assert_eq!(row.get::<_, Option<c_double>>(4)?, None);
|
|
|
|
assert_eq!(row.get::<_, Option<String>>(4)?, None);
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// check some invalid types
|
|
|
|
|
|
|
|
// 0 is actually a blob (Vec<u8>)
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_int>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_int>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2019-02-22 03:48:09 +08:00
|
|
|
assert!(is_invalid_column_type(row.get::<_, i64>(0).err().unwrap()));
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_double>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, String>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2020-07-11 23:59:29 +08:00
|
|
|
#[cfg(feature = "time")]
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2020-07-11 23:59:29 +08:00
|
|
|
row.get::<_, time::OffsetDateTime>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Option<c_int>>(0).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// 1 is actually a text (String)
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_int>(1).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2019-02-22 03:48:09 +08:00
|
|
|
assert!(is_invalid_column_type(row.get::<_, i64>(1).err().unwrap()));
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_double>(1).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Vec<u8>>(1).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Option<c_int>>(1).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// 2 is actually an integer
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, String>(2).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Vec<u8>>(2).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Option<String>>(2).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// 3 is actually a float (c_double)
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_int>(3).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2019-02-22 03:48:09 +08:00
|
|
|
assert!(is_invalid_column_type(row.get::<_, i64>(3).err().unwrap()));
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, String>(3).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Vec<u8>>(3).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Option<c_int>>(3).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2015-05-05 09:47:20 +08:00
|
|
|
|
|
|
|
// 4 is actually NULL
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_int>(4).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2019-02-22 03:48:09 +08:00
|
|
|
assert!(is_invalid_column_type(row.get::<_, i64>(4).err().unwrap()));
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, c_double>(4).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, String>(4).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
|
|
|
assert!(is_invalid_column_type(
|
2019-02-22 03:48:09 +08:00
|
|
|
row.get::<_, Vec<u8>>(4).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2020-07-11 23:59:29 +08:00
|
|
|
#[cfg(feature = "time")]
|
2018-08-11 18:48:21 +08:00
|
|
|
assert!(is_invalid_column_type(
|
2020-07-11 23:59:29 +08:00
|
|
|
row.get::<_, time::OffsetDateTime>(4).err().unwrap()
|
2018-08-11 18:48:21 +08:00
|
|
|
));
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2015-05-05 09:47:20 +08:00
|
|
|
}
|
2016-01-02 17:28:00 +08:00
|
|
|
|
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_dynamic_type() -> Result<()> {
|
2016-01-02 17:28:00 +08:00
|
|
|
use super::Value;
|
2020-11-06 05:14:00 +08:00
|
|
|
let db = checked_memory_handle()?;
|
2016-01-02 17:28:00 +08:00
|
|
|
|
2018-08-11 18:48:21 +08:00
|
|
|
db.execute(
|
|
|
|
"INSERT INTO foo(b, t, i, f) VALUES (X'0102', 'text', 1, 1.5)",
|
2020-11-03 17:32:46 +08:00
|
|
|
[],
|
2020-11-06 05:14:00 +08:00
|
|
|
)?;
|
2016-01-02 17:28:00 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let mut stmt = db.prepare("SELECT b, t, i, f, n FROM foo")?;
|
|
|
|
let mut rows = stmt.query([])?;
|
2016-01-02 17:28:00 +08:00
|
|
|
|
2020-11-06 05:14:00 +08:00
|
|
|
let row = rows.next()?.unwrap();
|
|
|
|
assert_eq!(Value::Blob(vec![1, 2]), row.get::<_, Value>(0)?);
|
|
|
|
assert_eq!(Value::Text(String::from("text")), row.get::<_, Value>(1)?);
|
|
|
|
assert_eq!(Value::Integer(1), row.get::<_, Value>(2)?);
|
|
|
|
match row.get::<_, Value>(3)? {
|
2016-03-30 02:18:56 +08:00
|
|
|
Value::Real(val) => assert!((1.5 - val).abs() < EPSILON),
|
|
|
|
x => panic!("Invalid Value {:?}", x),
|
|
|
|
}
|
2020-11-06 05:14:00 +08:00
|
|
|
assert_eq!(Value::Null, row.get::<_, Value>(4)?);
|
|
|
|
Ok(())
|
2016-01-02 17:28:00 +08:00
|
|
|
}
|
2020-10-23 04:51:30 +08:00
|
|
|
|
|
|
|
macro_rules! test_conversion {
|
2020-10-29 04:12:29 +08:00
|
|
|
($db_etc:ident, $insert_value:expr, $get_type:ty,expect $expected_value:expr) => {
|
2020-11-06 05:14:00 +08:00
|
|
|
$db_etc.insert_statement.execute(params![$insert_value])?;
|
2020-10-23 04:56:59 +08:00
|
|
|
let res = $db_etc
|
|
|
|
.query_statement
|
2020-11-03 17:32:46 +08:00
|
|
|
.query_row([], |row| row.get::<_, $get_type>(0));
|
2020-11-06 05:14:00 +08:00
|
|
|
assert_eq!(res?, $expected_value);
|
|
|
|
$db_etc.delete_statement.execute([])?;
|
2020-10-23 04:51:30 +08:00
|
|
|
};
|
2020-10-29 04:19:34 +08:00
|
|
|
($db_etc:ident, $insert_value:expr, $get_type:ty,expect_from_sql_error) => {
|
2020-11-06 05:14:00 +08:00
|
|
|
$db_etc.insert_statement.execute(params![$insert_value])?;
|
2020-10-23 04:56:59 +08:00
|
|
|
let res = $db_etc
|
|
|
|
.query_statement
|
2020-11-03 17:32:46 +08:00
|
|
|
.query_row([], |row| row.get::<_, $get_type>(0));
|
2020-10-23 04:51:30 +08:00
|
|
|
res.unwrap_err();
|
2020-11-06 05:14:00 +08:00
|
|
|
$db_etc.delete_statement.execute([])?;
|
2020-10-23 04:51:30 +08:00
|
|
|
};
|
2020-10-29 04:19:34 +08:00
|
|
|
($db_etc:ident, $insert_value:expr, $get_type:ty,expect_to_sql_error) => {
|
2020-10-26 19:53:20 +08:00
|
|
|
$db_etc
|
|
|
|
.insert_statement
|
|
|
|
.execute(params![$insert_value])
|
|
|
|
.unwrap_err();
|
|
|
|
};
|
2020-10-23 04:51:30 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
2020-11-06 05:14:00 +08:00
|
|
|
fn test_numeric_conversions() -> Result<()> {
|
2020-10-23 05:00:17 +08:00
|
|
|
#![allow(clippy::float_cmp)]
|
|
|
|
|
2020-10-23 04:51:30 +08:00
|
|
|
// Test what happens when we store an f32 and retrieve an i32 etc.
|
2020-11-06 05:14:00 +08:00
|
|
|
let db = Connection::open_in_memory()?;
|
|
|
|
db.execute_batch("CREATE TABLE foo (x)")?;
|
2020-10-23 04:51:30 +08:00
|
|
|
|
|
|
|
// SQLite actually ignores the column types, so we just need to test
|
|
|
|
// different numeric values.
|
|
|
|
|
|
|
|
struct DbEtc<'conn> {
|
|
|
|
insert_statement: Statement<'conn>,
|
|
|
|
query_statement: Statement<'conn>,
|
|
|
|
delete_statement: Statement<'conn>,
|
|
|
|
}
|
|
|
|
|
|
|
|
let mut db_etc = DbEtc {
|
2020-11-06 05:14:00 +08:00
|
|
|
insert_statement: db.prepare("INSERT INTO foo VALUES (?1)")?,
|
|
|
|
query_statement: db.prepare("SELECT x FROM foo")?,
|
|
|
|
delete_statement: db.prepare("DELETE FROM foo")?,
|
2020-10-23 04:51:30 +08:00
|
|
|
};
|
|
|
|
|
|
|
|
// Basic non-converting test.
|
|
|
|
test_conversion!(db_etc, 0u8, u8, expect 0u8);
|
|
|
|
|
|
|
|
// In-range integral conversions.
|
|
|
|
test_conversion!(db_etc, 100u8, i8, expect 100i8);
|
|
|
|
test_conversion!(db_etc, 200u8, u8, expect 200u8);
|
|
|
|
test_conversion!(db_etc, 100u16, i8, expect 100i8);
|
|
|
|
test_conversion!(db_etc, 200u16, u8, expect 200u8);
|
|
|
|
test_conversion!(db_etc, u32::MAX, u64, expect u32::MAX as u64);
|
|
|
|
test_conversion!(db_etc, i64::MIN, i64, expect i64::MIN);
|
|
|
|
test_conversion!(db_etc, i64::MAX, i64, expect i64::MAX);
|
|
|
|
test_conversion!(db_etc, i64::MAX, u64, expect i64::MAX as u64);
|
2020-10-26 19:53:20 +08:00
|
|
|
test_conversion!(db_etc, 100usize, usize, expect 100usize);
|
|
|
|
test_conversion!(db_etc, 100u64, u64, expect 100u64);
|
|
|
|
test_conversion!(db_etc, i64::MAX as u64, u64, expect i64::MAX as u64);
|
2020-10-23 04:51:30 +08:00
|
|
|
|
|
|
|
// Out-of-range integral conversions.
|
2020-10-26 19:53:20 +08:00
|
|
|
test_conversion!(db_etc, 200u8, i8, expect_from_sql_error);
|
|
|
|
test_conversion!(db_etc, 400u16, i8, expect_from_sql_error);
|
|
|
|
test_conversion!(db_etc, 400u16, u8, expect_from_sql_error);
|
|
|
|
test_conversion!(db_etc, -1i8, u8, expect_from_sql_error);
|
|
|
|
test_conversion!(db_etc, i64::MIN, u64, expect_from_sql_error);
|
|
|
|
test_conversion!(db_etc, u64::MAX, i64, expect_to_sql_error);
|
|
|
|
test_conversion!(db_etc, u64::MAX, u64, expect_to_sql_error);
|
|
|
|
test_conversion!(db_etc, i64::MAX as u64 + 1, u64, expect_to_sql_error);
|
|
|
|
|
|
|
|
// FromSql integer to float, always works.
|
2020-10-23 04:51:30 +08:00
|
|
|
test_conversion!(db_etc, i64::MIN, f32, expect i64::MIN as f32);
|
|
|
|
test_conversion!(db_etc, i64::MAX, f32, expect i64::MAX as f32);
|
|
|
|
test_conversion!(db_etc, i64::MIN, f64, expect i64::MIN as f64);
|
|
|
|
test_conversion!(db_etc, i64::MAX, f64, expect i64::MAX as f64);
|
|
|
|
|
2020-10-26 19:53:20 +08:00
|
|
|
// FromSql float to int conversion, never works even if the actual value
|
|
|
|
// is an integer.
|
|
|
|
test_conversion!(db_etc, 0f64, i64, expect_from_sql_error);
|
2020-11-06 05:14:00 +08:00
|
|
|
Ok(())
|
2020-10-23 04:51:30 +08:00
|
|
|
}
|
2014-10-20 07:56:41 +08:00
|
|
|
}
|