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
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
use serde::{Deserialize, Serialize};
use serde_json::value::RawValue;
use smallvec::SmallVec;
use std::{
fmt::{Debug, Display},
str::FromStr,
};
use time::{Duration, OffsetDateTime};
use uuid::Uuid;
use crate::{Error, Queue, Result};
#[derive(Debug, Serialize, Deserialize)]
pub struct RunInfo<T: Send + Debug> {
pub success: bool,
#[serde(with = "time::serde::timestamp")]
pub start: OffsetDateTime,
#[serde(with = "time::serde::timestamp")]
pub end: OffsetDateTime,
pub info: T,
}
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum JobState {
Pending,
Running,
Succeeded,
Failed,
}
impl JobState {
pub fn as_str(&self) -> &'static str {
match self {
JobState::Pending => "pending",
JobState::Running => "running",
JobState::Succeeded => "succeeded",
JobState::Failed => "failed",
}
}
}
impl Display for JobState {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{}", self.as_str())
}
}
impl FromStr for JobState {
type Err = Error;
fn from_str(s: &str) -> Result<Self> {
match s {
"pending" => Ok(JobState::Pending),
"running" => Ok(JobState::Running),
"succeeded" => Ok(JobState::Succeeded),
"failed" => Ok(JobState::Failed),
_ => Err(Error::InvalidJobState(s.to_string())),
}
}
}
#[derive(Debug)]
pub struct JobStatus {
pub id: Uuid,
pub job_type: String,
pub state: JobState,
pub priority: i32,
pub weight: u16,
pub orig_run_at: OffsetDateTime,
pub run_at: Option<OffsetDateTime>,
pub payload: Vec<u8>,
pub current_try: Option<i32>,
pub max_retries: i32,
pub backoff_multiplier: f64,
pub backoff_randomization: f64,
pub backoff_initial_interval: Duration,
pub added_at: OffsetDateTime,
pub started_at: Option<OffsetDateTime>,
pub finished_at: Option<OffsetDateTime>,
pub expires_at: Option<OffsetDateTime>,
pub run_info: SmallVec<[RunInfo<Box<RawValue>>; 4]>,
}
#[derive(Serialize)]
pub struct NumActiveJobs {
pub pending: u64,
pub running: u64,
}
impl Queue {
pub async fn get_job_status(&self, external_id: Uuid) -> Result<JobStatus> {
let conn = self.state.read_conn_pool.get().await?;
let status = conn
.interact(move |conn| {
let mut stmt = conn.prepare_cached(
r##"
SELECT jobs.job_type,
CASE
WHEN active_worker_id IS NOT NULL THEN 'running'
WHEN active_jobs.priority IS NOT NULL THEN 'pending'
ELSE jobs.status
END AS status,
jobs.priority, weight, orig_run_at, run_at, payload, current_try,
max_retries, backoff_multiplier, backoff_randomization, backoff_initial_interval,
added_at,
COALESCE(active_jobs.started_at, jobs.started_at) AS started_at,
finished_at, expires_at, run_info
FROM jobs
LEFT JOIN active_jobs USING(job_id)
WHERE external_id=?1
"##,
)?;
let mut rows = stmt.query_and_then([external_id], |row| {
let started_at = row
.get_ref(13)?
.as_i64_or_null()
.map_err(|e| Error::ColumnType(e.into(), "started_at"))?
.map(|i| {
OffsetDateTime::from_unix_timestamp(i)
.map_err(|_| Error::TimestampOutOfRange("started_at"))
})
.transpose()?;
let finished_at = row
.get_ref(14)?
.as_i64_or_null()
.map_err(|e| Error::ColumnType(e.into(), "finished_at"))?
.map(|i| {
OffsetDateTime::from_unix_timestamp(i)
.map_err(|_| Error::TimestampOutOfRange("finished_at"))
})
.transpose()?;
let expires_at = row
.get_ref(15)?
.as_i64_or_null()
.map_err(|e| Error::ColumnType(e.into(), "expires_at"))?
.map(|i| {
OffsetDateTime::from_unix_timestamp(i)
.map_err(|_| Error::TimestampOutOfRange("expires_at"))
})
.transpose()?;
let run_info_str = row
.get_ref(16)?
.as_str_or_null()
.map_err(|e| Error::ColumnType(e.into(), "run_info"))?;
let run_info: SmallVec<[RunInfo<Box<RawValue>>; 4]> = match run_info_str {
Some(run_info_str) => {
serde_json::from_str(run_info_str).map_err(Error::InvalidJobRunInfo)?
}
None => SmallVec::new(),
};
let status = JobStatus {
id: external_id,
job_type: row.get(0).map_err(|e| Error::ColumnType(e, "job_type"))?,
state: row
.get_ref(1)?
.as_str()
.map_err(|e| Error::ColumnType(e.into(), "state"))?
.parse()?,
priority: row.get(2)?,
weight: row.get(3)?,
orig_run_at: OffsetDateTime::from_unix_timestamp(row.get(4)?)
.map_err(|_| Error::TimestampOutOfRange("orig_run_at"))?,
run_at: row
.get_ref(5)?
.as_i64_or_null()
.map_err(|e| Error::ColumnType(e.into(), "run_at"))?
.map(OffsetDateTime::from_unix_timestamp)
.transpose()
.map_err(|_| Error::TimestampOutOfRange("run_at"))?,
payload: row.get(6)?,
current_try: row.get(7)?,
max_retries: row.get(8)?,
backoff_multiplier: row.get(9)?,
backoff_randomization: row.get(10)?,
backoff_initial_interval: Duration::seconds(row.get(11)?),
added_at: OffsetDateTime::from_unix_timestamp(row.get(12)?)
.map_err(|_| Error::TimestampOutOfRange("added_at"))?,
started_at,
finished_at,
expires_at,
run_info,
};
Ok::<_, Error>(status)
})?;
let status = rows.next().ok_or(Error::NotFound)??;
Ok::<_, Error>(status)
})
.await??;
Ok(status)
}
pub async fn num_active_jobs(&self) -> Result<NumActiveJobs> {
let conn = self.state.read_conn_pool.get().await?;
let (total, running): (i64, i64) = conn
.interact(move |conn| {
let mut stmt = conn.prepare_cached(
r##"SELECT COUNT(*) as total, COUNT(active_worker_id) AS running
FROM active_jobs"##,
)?;
stmt.query_row([], |row| Ok((row.get(0)?, row.get(1)?)))
})
.await??;
Ok(NumActiveJobs {
pending: (total - running) as u64,
running: running as u64,
})
}
}