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
use std::collections::HashMap;
use std::marker::PhantomData;
use super::stmt::StatementUse;
use deserialize::{FromSqlRow, Queryable, QueryableByName};
use result::Error::DeserializationError;
use result::QueryResult;
use sqlite::Sqlite;
pub struct StatementIterator<'a, ST, T> {
stmt: StatementUse<'a>,
_marker: PhantomData<(ST, T)>,
}
impl<'a, ST, T> StatementIterator<'a, ST, T> {
pub fn new(stmt: StatementUse<'a>) -> Self {
StatementIterator {
stmt: stmt,
_marker: PhantomData,
}
}
}
impl<'a, ST, T> Iterator for StatementIterator<'a, ST, T>
where
T: Queryable<ST, Sqlite>,
{
type Item = QueryResult<T>;
fn next(&mut self) -> Option<Self::Item> {
let row = match self.stmt.step() {
Ok(row) => row,
Err(e) => return Some(Err(e)),
};
row.map(|mut row| {
T::Row::build_from_row(&mut row)
.map(T::build)
.map_err(DeserializationError)
})
}
}
pub struct NamedStatementIterator<'a, T> {
stmt: StatementUse<'a>,
column_indices: Option<HashMap<&'a str, usize>>,
_marker: PhantomData<T>,
}
impl<'a, T> NamedStatementIterator<'a, T> {
#[allow(clippy::new_ret_no_self)]
pub fn new(stmt: StatementUse<'a>) -> QueryResult<Self> {
Ok(NamedStatementIterator {
stmt,
column_indices: None,
_marker: PhantomData,
})
}
fn populate_column_indices(&mut self) -> QueryResult<()> {
let column_indices = (0..self.stmt.num_fields())
.filter_map(|i| {
self.stmt.field_name(i).map(|column| {
let column = column
.to_str()
.map_err(|e| DeserializationError(e.into()))?;
Ok((column, i))
})
})
.collect::<QueryResult<_>>()?;
self.column_indices = Some(column_indices);
Ok(())
}
}
impl<'a, T> Iterator for NamedStatementIterator<'a, T>
where
T: QueryableByName<Sqlite>,
{
type Item = QueryResult<T>;
fn next(&mut self) -> Option<Self::Item> {
let row = match self.stmt.step() {
Ok(row) => row,
Err(e) => return Some(Err(e)),
};
if self.column_indices.is_none() {
if let Err(e) = self.populate_column_indices() {
return Some(Err(e));
}
}
row.map(|row| {
let row = row.into_named(
self.column_indices
.as_ref()
.expect("it's there because we populated it above"),
);
T::build(&row).map_err(DeserializationError)
})
}
}