-
Notifications
You must be signed in to change notification settings - Fork 2.1k
Expand file tree
/
Copy pathzkproof_worker.rs
More file actions
134 lines (112 loc) · 3.99 KB
/
zkproof_worker.rs
File metadata and controls
134 lines (112 loc) · 3.99 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
use clap::{command, Parser};
use fhevm_engine_common::healthz_server::HttpServer;
use fhevm_engine_common::telemetry;
use humantime::parse_duration;
use std::{sync::Arc, time::Duration};
use tokio::{join, task};
use tokio_util::sync::CancellationToken;
use tracing::{error, info, Level};
use zkproof_worker::verifier::ZkProofService;
#[derive(Parser, Debug, Clone)]
#[command(version, about, long_about = None)]
pub struct Args {
/// NOTIFY/LISTEN channel for database that the worker listen to
#[arg(long)]
pub pg_listen_channel: String,
/// NOTIFY/LISTEN channel for database that the worker notify to
#[arg(long)]
pub pg_notify_channel: String,
/// Polling interval in seconds
#[arg(long, default_value_t = 60)]
pub pg_polling_interval: u32,
/// Postgres pool connections
#[arg(long, default_value_t = 5)]
pub pg_pool_connections: u32,
/// Postgres acquire timeout
/// A longer timeout could affect the healthz/liveness updates
#[arg(long, default_value = "15s", value_parser = parse_duration)]
pub pg_timeout: Duration,
/// Postgres diagnostics: enable auto_explain extension
#[arg(long, value_parser = parse_duration)]
pub pg_auto_explain_with_min_duration: Option<Duration>,
/// Postgres database url. If unspecified DATABASE_URL environment variable
/// is used
#[arg(long)]
pub database_url: Option<String>,
/// Number of zkproof workers to process proofs in parallel
#[arg(long, default_value_t = 8)]
pub worker_thread_count: u32,
/// Zkproof-worker service name in OTLP traces
#[arg(long, default_value = "zkproof-worker")]
pub service_name: String,
/// Log level for the worker
#[arg(
long,
value_parser = clap::value_parser!(Level),
default_value_t = Level::INFO)]
pub log_level: Level,
/// HTTP server port for health checks
#[arg(long, default_value_t = 8080)]
health_check_port: u16,
}
pub fn parse_args() -> Args {
Args::parse()
}
#[tokio::main]
async fn main() {
let args = parse_args();
tracing_subscriber::fmt()
.json()
.with_current_span(true)
.with_span_list(false)
.with_level(true)
.with_max_level(args.log_level)
.init();
let database_url = args
.database_url
.clone()
.unwrap_or_else(|| std::env::var("DATABASE_URL").expect("DATABASE_URL is undefined"));
let conf = zkproof_worker::Config {
database_url,
listen_database_channel: args.pg_listen_channel,
notify_database_channel: args.pg_notify_channel,
pg_pool_connections: args.pg_pool_connections,
pg_polling_interval: args.pg_polling_interval,
worker_thread_count: args.worker_thread_count,
pg_timeout: args.pg_timeout,
pg_auto_explain_with_min_duration: args.pg_auto_explain_with_min_duration,
};
if let Err(err) = telemetry::setup_otlp(&args.service_name) {
error!(error = %err, "Error while initializing tracing");
std::process::exit(1);
}
let cancel_token = CancellationToken::new();
let Some(service) = ZkProofService::create(conf, cancel_token.child_token()).await else {
error!("Failed to create zkproof service");
std::process::exit(1);
};
let service = Arc::new(service);
let http_server = HttpServer::new(
service.clone(),
args.health_check_port,
cancel_token.child_token(),
);
let http_task = task::spawn(async move {
if let Err(err) = http_server.start().await {
error!(
task = "health_check",
error = %err,
"Error while running server"
);
}
anyhow::Ok(())
});
let service_task = async {
info!("Starting worker...");
if let Err(err) = service.run().await {
error!(error = %err, "Worker failed");
}
Ok::<_, anyhow::Error>(())
};
let (_http_result, _service_result) = join!(http_task, service_task);
}