File size: 13,120 Bytes
b98ffbb |
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 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 |
#![warn(unsafe_op_in_unsafe_fn)]
use dora_core::{
config::{DataId, OperatorId},
daemon_messages::{NodeConfig, RuntimeConfig},
descriptor::OperatorConfig,
};
use dora_metrics::init_meter_provider;
use dora_node_api::{DoraNode, Event};
use eyre::{bail, Context, Result};
use futures::{Stream, StreamExt};
use futures_concurrency::stream::Merge;
use operator::{run_operator, OperatorEvent, StopReason};
#[cfg(feature = "tracing")]
use dora_tracing::set_up_tracing;
use std::{
collections::{BTreeMap, BTreeSet, HashMap},
mem,
};
use tokio::{
runtime::Builder,
sync::{mpsc, oneshot},
};
use tokio_stream::wrappers::ReceiverStream;
mod operator;
pub fn main() -> eyre::Result<()> {
let config: RuntimeConfig = {
let raw = std::env::var("DORA_RUNTIME_CONFIG")
.wrap_err("env variable DORA_RUNTIME_CONFIG must be set")?;
serde_yaml::from_str(&raw).context("failed to deserialize operator config")?
};
let RuntimeConfig {
node: config,
operators,
} = config;
let node_id = config.node_id.clone();
#[cfg(feature = "tracing")]
set_up_tracing(&node_id.to_string()).context("failed to set up tracing subscriber")?;
let dataflow_descriptor = config.dataflow_descriptor.clone();
let operator_definition = if operators.is_empty() {
bail!("no operators");
} else if operators.len() > 1 {
bail!("multiple operators are not supported");
} else {
let mut ops = operators;
ops.remove(0)
};
let (operator_events_tx, events) = mpsc::channel(1);
let operator_id = operator_definition.id.clone();
let operator_events = ReceiverStream::new(events).map(move |event| RuntimeEvent::Operator {
id: operator_id.clone(),
event,
});
let tokio_runtime = Builder::new_current_thread()
.enable_all()
.build()
.wrap_err("Could not build a tokio runtime.")?;
let mut operator_channels = HashMap::new();
let queue_sizes = queue_sizes(&operator_definition.config);
let (operator_channel, incoming_events) =
operator::channel::channel(tokio_runtime.handle(), queue_sizes);
operator_channels.insert(operator_definition.id.clone(), operator_channel);
tracing::info!("spawning main task");
let operator_config = [(
operator_definition.id.clone(),
operator_definition.config.clone(),
)]
.into_iter()
.collect();
let (init_done_tx, init_done) = oneshot::channel();
let main_task = std::thread::spawn(move || -> Result<()> {
tokio_runtime.block_on(run(
operator_config,
config,
operator_events,
operator_channels,
init_done,
))
});
let operator_id = operator_definition.id.clone();
run_operator(
&node_id,
operator_definition,
incoming_events,
operator_events_tx,
init_done_tx,
&dataflow_descriptor,
)
.wrap_err_with(|| format!("failed to run operator {operator_id}"))?;
match main_task.join() {
Ok(result) => result.wrap_err("main task failed")?,
Err(panic) => std::panic::resume_unwind(panic),
}
Ok(())
}
fn queue_sizes(config: &OperatorConfig) -> std::collections::BTreeMap<DataId, usize> {
let mut sizes = BTreeMap::new();
for (input_id, input) in &config.inputs {
let queue_size = input.queue_size.unwrap_or(10);
sizes.insert(input_id.clone(), queue_size);
}
sizes
}
#[tracing::instrument(skip(operator_events, operator_channels), level = "trace")]
async fn run(
operators: HashMap<OperatorId, OperatorConfig>,
config: NodeConfig,
operator_events: impl Stream<Item = RuntimeEvent> + Unpin,
mut operator_channels: HashMap<OperatorId, flume::Sender<Event>>,
init_done: oneshot::Receiver<Result<()>>,
) -> eyre::Result<()> {
#[cfg(feature = "metrics")]
let _meter_provider = init_meter_provider(config.node_id.to_string());
init_done
.await
.wrap_err("the `init_done` channel was closed unexpectedly")?
.wrap_err("failed to init an operator")?;
tracing::info!("All operators are ready, starting runtime");
let (mut node, mut daemon_events) = DoraNode::init(config)?;
let (daemon_events_tx, daemon_event_stream) = flume::bounded(1);
tokio::task::spawn_blocking(move || {
while let Some(event) = daemon_events.recv() {
if daemon_events_tx.send(RuntimeEvent::Event(event)).is_err() {
break;
}
}
});
let mut events = (operator_events, daemon_event_stream.into_stream()).merge();
let mut open_operator_inputs: HashMap<_, BTreeSet<_>> = operators
.iter()
.map(|(id, config)| (id, config.inputs.keys().collect()))
.collect();
while let Some(event) = events.next().await {
match event {
RuntimeEvent::Operator {
id: operator_id,
event,
} => {
match event {
OperatorEvent::Error(err) => {
bail!(err.wrap_err(format!(
"operator {}/{operator_id} raised an error",
node.id()
)))
}
OperatorEvent::Panic(payload) => {
bail!("operator {operator_id} panicked: {payload:?}");
}
OperatorEvent::Finished { reason } => {
if let StopReason::ExplicitStopAll = reason {
// let hlc = dora_core::message::uhlc::HLC::default();
// let metadata = dora_core::message::Metadata::new(hlc.new_timestamp());
// let data = metadata
// .serialize()
// .wrap_err("failed to serialize stop message")?;
todo!("instruct dora-daemon/dora-coordinator to stop other nodes");
// manual_stop_publisher
// .publish(&data)
// .map_err(|err| eyre::eyre!(err))
// .wrap_err("failed to send stop message")?;
// break;
}
let Some(config) = operators.get(&operator_id) else {
tracing::warn!(
"received Finished event for unknown operator `{operator_id}`"
);
continue;
};
let outputs = config
.outputs
.iter()
.map(|output_id| operator_output_id(&operator_id, output_id))
.collect();
let result;
(node, result) = tokio::task::spawn_blocking(move || {
let result = node.close_outputs(outputs);
(node, result)
})
.await
.wrap_err("failed to wait for close_outputs task")?;
result.wrap_err("failed to close outputs of finished operator")?;
operator_channels.remove(&operator_id);
if operator_channels.is_empty() {
break;
}
}
OperatorEvent::AllocateOutputSample { len, sample: tx } => {
let sample = node.allocate_data_sample(len);
if tx.send(sample).is_err() {
tracing::warn!("output sample requested, but operator {operator_id} exited already");
}
}
OperatorEvent::Output {
output_id,
type_info,
parameters,
data,
} => {
let output_id = operator_output_id(&operator_id, &output_id);
let result;
(node, result) = tokio::task::spawn_blocking(move || {
let result =
node.send_output_sample(output_id, type_info, parameters, data);
(node, result)
})
.await
.wrap_err("failed to wait for send_output task")?;
result.wrap_err("failed to send node output")?;
}
}
}
RuntimeEvent::Event(Event::Stop) => {
// forward stop event to all operators and close the event channels
for (_, channel) in operator_channels.drain() {
let _ = channel.send_async(Event::Stop).await;
}
}
RuntimeEvent::Event(Event::Reload {
operator_id: Some(operator_id),
}) => {
let _ = operator_channels
.get(&operator_id)
.unwrap()
.send_async(Event::Reload {
operator_id: Some(operator_id),
})
.await;
}
RuntimeEvent::Event(Event::Reload { operator_id: None }) => {
tracing::warn!("Reloading runtime nodes is not supported");
}
RuntimeEvent::Event(Event::Input { id, metadata, data }) => {
let Some((operator_id, input_id)) = id.as_str().split_once('/') else {
tracing::warn!("received non-operator input {id}");
continue;
};
let operator_id = OperatorId::from(operator_id.to_owned());
let input_id = DataId::from(input_id.to_owned());
let Some(operator_channel) = operator_channels.get(&operator_id) else {
tracing::warn!("received input {id} for unknown operator");
continue;
};
if let Err(err) = operator_channel
.send_async(Event::Input {
id: input_id.clone(),
metadata,
data,
})
.await
.wrap_err_with(|| {
format!("failed to send input `{input_id}` to operator `{operator_id}`")
})
{
tracing::warn!("{err}");
}
}
RuntimeEvent::Event(Event::InputClosed { id }) => {
let Some((operator_id, input_id)) = id.as_str().split_once('/') else {
tracing::warn!("received InputClosed event for non-operator input {id}");
continue;
};
let operator_id = OperatorId::from(operator_id.to_owned());
let input_id = DataId::from(input_id.to_owned());
let Some(operator_channel) = operator_channels.get(&operator_id) else {
tracing::warn!("received input {id} for unknown operator");
continue;
};
if let Err(err) = operator_channel
.send_async(Event::InputClosed {
id: input_id.clone(),
})
.await
.wrap_err_with(|| {
format!(
"failed to send InputClosed({input_id}) to operator `{operator_id}`"
)
})
{
tracing::warn!("{err}");
}
if let Some(open_inputs) = open_operator_inputs.get_mut(&operator_id) {
open_inputs.remove(&input_id);
if open_inputs.is_empty() {
// all inputs of the node were closed -> close its event channel
tracing::trace!("all inputs of operator {}/{operator_id} were closed -> closing event channel", node.id());
open_operator_inputs.remove(&operator_id);
operator_channels.remove(&operator_id);
}
}
}
RuntimeEvent::Event(Event::Error(err)) => eyre::bail!("received error event: {err}"),
RuntimeEvent::Event(other) => {
tracing::warn!("received unknown event `{other:?}`");
}
}
}
mem::drop(events);
Ok(())
}
fn operator_output_id(operator_id: &OperatorId, output_id: &DataId) -> DataId {
DataId::from(format!("{operator_id}/{output_id}"))
}
#[derive(Debug)]
enum RuntimeEvent {
Operator {
id: OperatorId,
event: OperatorEvent,
},
Event(Event),
}
|