-
Notifications
You must be signed in to change notification settings - Fork 396
Expand file tree
/
Copy pathdb.rs
More file actions
168 lines (154 loc) · 4.4 KB
/
db.rs
File metadata and controls
168 lines (154 loc) · 4.4 KB
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
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
use sqlx::{
postgres::PgPoolOptions,
types::{BigDecimal, Uuid},
Pool, Postgres,
};
#[derive(Clone, Debug)]
pub struct Db {
pool: Pool<Postgres>,
}
#[derive(Debug, Clone)]
pub enum DbError {
ConnectError(String),
}
#[derive(Debug, Clone, sqlx::Type, serde::Serialize)]
#[sqlx(type_name = "task_status")]
#[sqlx(rename_all = "lowercase")]
pub enum TaskStatus {
Pending,
Processing,
Verified,
}
#[derive(Debug, Clone, sqlx::FromRow, sqlx::Type, serde::Serialize)]
pub struct Receipt {
pub status: TaskStatus,
pub merkle_path: Option<Vec<u8>>,
pub nonce: i64,
pub address: String,
}
impl Db {
pub async fn try_new(connection_url: &str) -> Result<Self, DbError> {
let pool = PgPoolOptions::new()
.max_connections(5)
.connect(connection_url)
.await
.map_err(|e| DbError::ConnectError(e.to_string()))?;
Ok(Self { pool })
}
pub async fn count_tasks_by_address(&self, address: &str) -> Result<i64, sqlx::Error> {
let (count,) = sqlx::query_as::<_, (i64,)>("SELECT COUNT(*) FROM tasks WHERE address = $1")
.bind(address.to_lowercase())
.fetch_one(&self.pool)
.await?;
Ok(count)
}
pub async fn get_merkle_path_by_task_id(
&self,
task_id: Uuid,
) -> Result<Option<Vec<u8>>, sqlx::Error> {
sqlx::query_scalar::<_, Option<Vec<u8>>>("SELECT merkle_path FROM tasks WHERE task_id = $1")
.bind(task_id)
.fetch_optional(&self.pool)
.await
.map(|res| res.flatten())
}
pub async fn get_tasks_by_address_and_nonce(
&self,
address: &str,
nonce: i64,
) -> Result<Vec<Receipt>, sqlx::Error> {
sqlx::query_as::<_, Receipt>(
"SELECT status,merkle_path,nonce,address FROM tasks
WHERE address = $1
AND nonce = $2
ORDER BY nonce DESC",
)
.bind(address.to_lowercase())
.bind(nonce)
.fetch_all(&self.pool)
.await
}
pub async fn get_tasks_by_address_with_limit(
&self,
address: &str,
limit: i64,
) -> Result<Vec<Receipt>, sqlx::Error> {
sqlx::query_as::<_, Receipt>(
"SELECT status,merkle_path,nonce,address FROM tasks
WHERE address = $1
ORDER BY nonce DESC
LIMIT $2",
)
.bind(address.to_lowercase())
.bind(limit)
.fetch_all(&self.pool)
.await
}
pub async fn insert_task(
&self,
address: &str,
proving_system_id: i64,
proof: &[u8],
program_commitment: &[u8],
merkle_path: Option<&[u8]>,
nonce: i64,
) -> Result<Uuid, sqlx::Error> {
sqlx::query_scalar::<_, Uuid>(
"INSERT INTO tasks (
address,
proving_system_id,
proof,
program_commitment,
merkle_path,
nonce
) VALUES ($1, $2, $3, $4, $5, $6)
RETURNING task_id",
)
.bind(address.to_lowercase())
.bind(proving_system_id)
.bind(proof)
.bind(program_commitment)
.bind(merkle_path)
.bind(nonce)
.fetch_one(&self.pool)
.await
}
pub async fn insert_payment_event(
&self,
address: &str,
started_at: &BigDecimal,
amount: &BigDecimal,
valid_until: &BigDecimal,
tx_hash: &str,
) -> Result<(), sqlx::Error> {
sqlx::query(
"INSERT INTO payment_events (address, started_at, amount, valid_until, tx_hash)
VALUES ($1, $2, $3, $4, $5)
ON CONFLICT (tx_hash) DO NOTHING",
)
.bind(address.to_lowercase())
.bind(started_at)
.bind(amount)
.bind(valid_until)
.bind(tx_hash)
.execute(&self.pool)
.await
.map(|_| ())
}
pub async fn has_active_payment_event(
&self,
address: &str,
epoch: BigDecimal,
) -> Result<bool, sqlx::Error> {
sqlx::query_scalar::<_, bool>(
"SELECT EXISTS (
SELECT 1 FROM payment_events
WHERE address = $1 AND started_at < $2 AND $2 < valid_until
)",
)
.bind(address.to_lowercase())
.bind(epoch)
.fetch_one(&self.pool)
.await
}
}