forked from vectordotdev/vector
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathsignal.rs
More file actions
239 lines (207 loc) · 8.26 KB
/
signal.rs
File metadata and controls
239 lines (207 loc) · 8.26 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
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
#![allow(missing_docs)]
use std::collections::HashSet;
use snafu::Snafu;
use tokio::{runtime::Runtime, sync::broadcast};
use tokio_stream::{Stream, StreamExt};
use super::config::{ComponentKey, ConfigBuilder};
pub type ShutdownTx = broadcast::Sender<()>;
pub type SignalTx = broadcast::Sender<SignalTo>;
pub type SignalRx = broadcast::Receiver<SignalTo>;
#[derive(Debug, Clone)]
/// Control messages used by Vector to drive topology and shutdown events.
#[allow(clippy::large_enum_variant)] // discovered during Rust upgrade to 1.57; just allowing for now since we did previously
pub enum SignalTo {
/// Signal to reload given components.
ReloadComponents(HashSet<ComponentKey>),
/// Signal to reload config from a string.
ReloadFromConfigBuilder(ConfigBuilder),
/// Signal to reload config from the filesystem and reload components with external files.
ReloadFromDisk,
/// Signal to reload all enrichment tables.
ReloadEnrichmentTables,
/// Signal to shutdown process.
Shutdown(Option<ShutdownError>),
/// Shutdown process immediately.
Quit,
}
impl PartialEq for SignalTo {
fn eq(&self, other: &Self) -> bool {
use SignalTo::*;
match (self, other) {
(ReloadComponents(a), ReloadComponents(b)) => a == b,
// TODO: This will require a lot of plumbing but ultimately we can derive equality for config builders.
(ReloadFromConfigBuilder(_), ReloadFromConfigBuilder(_)) => true,
(ReloadFromDisk, ReloadFromDisk) => true,
(ReloadEnrichmentTables, ReloadEnrichmentTables) => true,
(Shutdown(a), Shutdown(b)) => a == b,
(Quit, Quit) => true,
_ => false,
}
}
}
#[derive(Clone, Debug, Snafu, PartialEq, Eq)]
pub enum ShutdownError {
// For future work: It would be nice if we could keep the actual errors in here, but
// `crate::Error` doesn't implement `Clone`, and adding `DynClone` for errors is tricky.
#[snafu(display("The API failed to start: {error}"))]
ApiFailed { error: String },
#[snafu(display("Reload failed, and then failed to restore the previous config"))]
ReloadFailedToRestore,
#[snafu(display(r#"The task for source "{key}" died during execution: {error}"#))]
SourceAborted { key: ComponentKey, error: String },
#[snafu(display(r#"The task for transform "{key}" died during execution: {error}"#))]
TransformAborted { key: ComponentKey, error: String },
#[snafu(display(r#"The task for sink "{key}" died during execution: {error}"#))]
SinkAborted { key: ComponentKey, error: String },
}
/// Convenience struct for app setup handling.
pub struct SignalPair {
pub handler: SignalHandler,
pub receiver: SignalRx,
}
impl SignalPair {
/// Create a new signal handler pair, and set them up to receive OS signals.
pub fn new(runtime: &Runtime) -> Self {
let (handler, receiver) = SignalHandler::new();
#[cfg(unix)]
let signals = os_signals(runtime);
// If we passed `runtime` here, we would get the following:
// error[E0521]: borrowed data escapes outside of associated function
#[cfg(windows)]
let signals = os_signals();
handler.forever(runtime, signals);
Self { handler, receiver }
}
}
/// SignalHandler is a general `ControlTo` message receiver and transmitter. It's used by
/// OS signals and providers to surface control events to the root of the application.
pub struct SignalHandler {
tx: SignalTx,
shutdown_txs: Vec<ShutdownTx>,
}
impl SignalHandler {
/// Create a new signal handler with space for 128 control messages at a time, to
/// ensure the channel doesn't overflow and drop signals.
pub fn new() -> (Self, SignalRx) {
let (tx, rx) = broadcast::channel(128);
let handler = Self {
tx,
shutdown_txs: vec![],
};
(handler, rx)
}
/// Clones the transmitter.
pub fn clone_tx(&self) -> SignalTx {
self.tx.clone()
}
/// Subscribe to the stream, and return a new receiver.
pub fn subscribe(&self) -> SignalRx {
self.tx.subscribe()
}
/// Takes a stream who's elements are convertible to `SignalTo`, and spawns a permanent
/// task for transmitting to the receiver.
fn forever<T, S>(&self, runtime: &Runtime, stream: S)
where
T: Into<SignalTo> + Send + Sync,
S: Stream<Item = T> + 'static + Send,
{
let tx = self.tx.clone();
runtime.spawn(async move {
tokio::pin!(stream);
while let Some(value) = stream.next().await {
if tx.send(value.into()).is_err() {
error!(
message = "Couldn't send signal.",
internal_log_rate_limit = false
);
break;
}
}
});
}
/// Takes a stream, sending to the underlying signal receiver. Returns a broadcast tx
/// channel which can be used by the caller to either subscribe to cancellation, or trigger
/// it. Useful for providers that may need to do both.
pub fn add<T, S>(&mut self, stream: S)
where
T: Into<SignalTo> + Send,
S: Stream<Item = T> + 'static + Send,
{
let (shutdown_tx, mut shutdown_rx) = broadcast::channel::<()>(2);
let tx = self.tx.clone();
self.shutdown_txs.push(shutdown_tx);
tokio::spawn(async move {
tokio::pin!(stream);
loop {
tokio::select! {
biased;
_ = shutdown_rx.recv() => break,
Some(value) = stream.next() => {
if tx.send(value.into()).is_err() {
error!(message = "Couldn't send signal.", internal_log_rate_limit = false);
break;
}
}
else => {
error!(message = "Underlying stream is closed.", internal_log_rate_limit = false);
break;
}
}
}
});
}
/// Shutdown active signal handlers.
pub fn clear(&mut self) {
for shutdown_tx in self.shutdown_txs.drain(..) {
// An error just means the channel was already shut down; safe to ignore.
_ = shutdown_tx.send(());
}
}
}
/// Signals from OS/user.
#[cfg(unix)]
fn os_signals(runtime: &Runtime) -> impl Stream<Item = SignalTo> + use<> {
use tokio::signal::unix::{SignalKind, signal};
// The `signal` function must be run within the context of a Tokio runtime.
runtime.block_on(async {
let mut sigint = signal(SignalKind::interrupt()).expect("Failed to set up SIGINT handler.");
let mut sigterm =
signal(SignalKind::terminate()).expect("Failed to set up SIGTERM handler.");
let mut sigquit = signal(SignalKind::quit()).expect("Failed to set up SIGQUIT handler.");
let mut sighup = signal(SignalKind::hangup()).expect("Failed to set up SIGHUP handler.");
async_stream::stream! {
loop {
let signal = tokio::select! {
_ = sigint.recv() => {
info!(message = "Signal received.", signal = "SIGINT");
SignalTo::Shutdown(None)
},
_ = sigterm.recv() => {
info!(message = "Signal received.", signal = "SIGTERM");
SignalTo::Shutdown(None)
} ,
_ = sigquit.recv() => {
info!(message = "Signal received.", signal = "SIGQUIT");
SignalTo::Quit
},
_ = sighup.recv() => {
info!(message = "Signal received.", signal = "SIGHUP");
SignalTo::ReloadFromDisk
},
};
yield signal;
}
}
})
}
/// Signals from OS/user.
#[cfg(windows)]
fn os_signals() -> impl Stream<Item = SignalTo> {
use futures::future::FutureExt;
async_stream::stream! {
loop {
let signal = tokio::signal::ctrl_c().map(|_| SignalTo::Shutdown(None)).await;
yield signal;
}
}
}