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
use crate::proto::client::Client;
use crate::proto::simple_query::SimpleQueryStream;
use futures::{try_ready, Async, Future, Poll, Stream};
use state_machine_future::{transition, RentToOwn, StateMachineFuture};
use crate::Error;
#[derive(StateMachineFuture)]
pub enum Transaction<F, T, E>
where
F: Future<Item = T, Error = E>,
E: From<Error>,
{
#[state_machine_future(start, transitions(Beginning))]
Start { client: Client, future: F },
#[state_machine_future(transitions(Running))]
Beginning {
client: Client,
begin: SimpleQueryStream,
future: F,
},
#[state_machine_future(transitions(Finishing))]
Running { client: Client, future: F },
#[state_machine_future(transitions(Finished))]
Finishing {
future: SimpleQueryStream,
result: Result<T, E>,
},
#[state_machine_future(ready)]
Finished(T),
#[state_machine_future(error)]
Failed(E),
}
impl<F, T, E> PollTransaction<F, T, E> for Transaction<F, T, E>
where
F: Future<Item = T, Error = E>,
E: From<Error>,
{
fn poll_start<'a>(
state: &'a mut RentToOwn<'a, Start<F, T, E>>,
) -> Poll<AfterStart<F, T, E>, E> {
let state = state.take();
transition!(Beginning {
begin: state.client.simple_query("BEGIN"),
client: state.client,
future: state.future,
})
}
fn poll_beginning<'a>(
state: &'a mut RentToOwn<'a, Beginning<F, T, E>>,
) -> Poll<AfterBeginning<F, T, E>, E> {
while let Some(_) = try_ready!(state.begin.poll()) {}
let state = state.take();
transition!(Running {
client: state.client,
future: state.future,
})
}
fn poll_running<'a>(
state: &'a mut RentToOwn<'a, Running<F, T, E>>,
) -> Poll<AfterRunning<T, E>, E> {
match state.future.poll() {
Ok(Async::NotReady) => Ok(Async::NotReady),
Ok(Async::Ready(t)) => transition!(Finishing {
future: state.client.simple_query("COMMIT"),
result: Ok(t),
}),
Err(e) => transition!(Finishing {
future: state.client.simple_query("ROLLBACK"),
result: Err(e),
}),
}
}
fn poll_finishing<'a>(
state: &'a mut RentToOwn<'a, Finishing<T, E>>,
) -> Poll<AfterFinishing<T>, E> {
loop {
match state.future.poll() {
Ok(Async::NotReady) => return Ok(Async::NotReady),
Ok(Async::Ready(Some(_))) => {}
Ok(Async::Ready(None)) => {
let t = state.take().result?;
transition!(Finished(t))
}
Err(e) => match state.take().result {
Ok(_) => return Err(e.into()),
Err(e) => return Err(e),
},
}
}
}
}
impl<F, T, E> TransactionFuture<F, T, E>
where
F: Future<Item = T, Error = E>,
E: From<Error>,
{
pub fn new(client: Client, future: F) -> TransactionFuture<F, T, E> {
Transaction::start(client, future)
}
}