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
mod client;
use crate::client::Client;
mod run;
use crate::run::Run;
pub mod job;
use job::Job;
pub mod uploader;
use log::warn;
use uploader::Uploader;
mod artifact;
use futures::prelude::*;
use futures::stream::FuturesUnordered;
use tokio::time::{sleep, Duration};
use url::Url;
pub type JobResult = Result<(), ()>;
pub use client::Phase;
#[async_trait::async_trait]
pub trait JobHandler: Send {
async fn step(&mut self, script: &[String], phase: Phase) -> JobResult;
async fn upload_artifacts(&mut self, _uploader: &mut Uploader) -> JobResult {
Ok(())
}
async fn cleanup(&mut self) {}
}
#[derive(Debug)]
pub struct Runner {
client: Client,
running: FuturesUnordered<Run>,
}
impl Runner {
pub fn new(server: Url, token: String) -> Self {
let client = Client::new(server, token);
let running = FuturesUnordered::new();
Self { client, running }
}
pub fn running(&self) -> usize {
self.running.len()
}
pub async fn request_job<F, J, Ret>(&mut self, process: F) -> Result<bool, client::Error>
where
F: Fn(Job) -> Ret + Sync + Send + 'static,
J: JobHandler + Send + 'static,
Ret: Future<Output = Result<J, ()>> + Send + 'static,
{
let response = self.client.request_job().await?;
if let Some(response) = response {
self.running
.push(Run::new(process, self.client.clone(), response));
Ok(true)
} else {
Ok(false)
}
}
pub async fn wait_job(&mut self) {
self.running.next().await;
}
pub async fn sleep(&mut self, timeout: Duration) {
let t = sleep(timeout).fuse();
if self.running.is_empty() {
t.await;
} else {
futures::pin_mut!(t);
loop {
futures::select! {
_ = t => break,
_ = self.running.next() => {},
};
}
}
}
pub async fn run<F, J, Ret>(&mut self, process: F, maximum: usize) -> Result<(), client::Error>
where
F: Fn(Job) -> Ret + Sync + Send + 'static + Clone,
J: JobHandler + Send + 'static,
Ret: Future<Output = Result<J, ()>> + Send + 'static,
{
loop {
if self.running.len() < maximum {
match self.request_job(process.clone()).await {
Ok(true) => continue,
Ok(false) => (),
Err(e) => warn!("Couldn't get a job from gitlab: {:?}", e),
}
self.sleep(Duration::from_secs(5)).await;
} else {
self.wait_job().await;
}
}
}
}