无法调用rusqlite的查询,因为它需要类型& [& rusqlite :: types :: ToSql]

时间:2017-10-07 20:03:23

标签: rust traits

我想使用rusqlite准备好的声明。 Rusqlite为ToSqlStringa bunch of other types实现了特征&str

extern crate rusqlite;

use rusqlite::Connection;

fn main() {
    let mut connection = Connection::open("C:\\test_db.db").unwrap();

    let mut cached_statement = connection
        .prepare_cached("SELECT ?, ?, ? FROM test")
        .unwrap();

    let vec_values = vec![
        &"test1".to_string(),
        &"test2".to_string(),
        &"test3".to_string(),
    ];

    let rows = cached_statement.query(vec_values.as_slice()).unwrap();
}

这不会编译错误:

error[E0308]: mismatched types
  --> src/main.rs:18:39
   |
18 |     let rows = cached_statement.query(vec_values.as_slice()).unwrap();
   |                                       ^^^^^^^^^^^^^^^^^^^^^ expected trait rusqlite::types::ToSql, found struct `std::string::String`
   |
   = note: expected type `&[&rusqlite::types::ToSql]`
              found type `&[&std::string::String]`

1 个答案:

答案 0 :(得分:2)

编译器消息不是骗你的。您有&[&String]而不是&[&ToSql]特征对象是一种不同的类型,通常与底层类型的大小不同;将值打包到向量中时,两者都是重要的考虑因素。

另一个问题是您无法创建String,对其进行引用,然后将其存储在变量中。 String将立即释放,留下悬空引用,因此编译器会阻止它。

您可以做的最简单的事情是创建一个包含特征对象引用的新Vec

let vec_values = vec![
    "test1".to_string(),
    "test2".to_string(),
    "test3".to_string(),
];

let query_values: Vec<_> = vec_values.iter().map(|x| x as &ToSql).collect();

let _rows = cached_statement.query(&query_values).unwrap();

complete example

或者,如果您想要一个过于通用的函数来执行转换:

fn do_the_thing<'a, I, T: 'a>(things: I) -> Vec<&'a ToSql>
where
    I: IntoIterator<Item = &'a T>,
    T: ToSql,
{
    things
        .into_iter()
        .map(|x| x as &ToSql)
        .collect()
}
let _rows = cached_statement.query(&do_the_thing(&vec_values)).unwrap();

complete example