File size: 17,401 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 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 |
use crate::{
log, node_communication::spawn_listener_loop, node_inputs, runtime_node_inputs,
runtime_node_outputs, DoraEvent, Event, NodeExitStatus, OutputId,
};
use aligned_vec::{AVec, ConstAlign};
use dora_arrow_convert::IntoArrow;
use dora_core::{
config::{DataId, NodeRunConfig},
daemon_messages::{DataMessage, DataflowId, NodeConfig, RuntimeConfig, Timestamped},
descriptor::{
resolve_path, source_is_url, Descriptor, OperatorDefinition, OperatorSource, PythonSource,
ResolvedNode, SHELL_SOURCE,
},
get_python_path,
message::uhlc::HLC,
};
use dora_download::download_file;
use dora_node_api::{
arrow::array::ArrayData,
arrow_utils::{copy_array_into_sample, required_data_size},
Metadata,
};
use eyre::{ContextCompat, WrapErr};
use std::{
env::consts::EXE_EXTENSION,
path::{Path, PathBuf},
process::Stdio,
sync::Arc,
};
use tokio::{
fs::File,
io::{AsyncBufReadExt, AsyncWriteExt},
sync::{mpsc, oneshot},
};
use tracing::{debug, error};
/// clock is required for generating timestamps when dropping messages early because queue is full
pub async fn spawn_node(
dataflow_id: DataflowId,
working_dir: &Path,
node: ResolvedNode,
daemon_tx: mpsc::Sender<Timestamped<Event>>,
dataflow_descriptor: Descriptor,
clock: Arc<HLC>,
) -> eyre::Result<u32> {
let node_id = node.id.clone();
tracing::debug!("Spawning node `{dataflow_id}/{node_id}`");
let queue_sizes = node_inputs(&node)
.into_iter()
.map(|(k, v)| (k, v.queue_size.unwrap_or(10)))
.collect();
let daemon_communication = spawn_listener_loop(
&dataflow_id,
&node_id,
&daemon_tx,
dataflow_descriptor.communication.local,
queue_sizes,
clock.clone(),
)
.await?;
let send_stdout_to = node
.send_stdout_as()
.context("Could not resolve `send_stdout_as` configuration")?;
let mut child = match node.kind {
dora_core::descriptor::CoreNodeKind::Custom(n) => {
let mut command = match n.source.as_str() {
SHELL_SOURCE => {
if cfg!(target_os = "windows") {
let mut cmd = tokio::process::Command::new("cmd");
cmd.args(["/C", &n.args.clone().unwrap_or_default()]);
cmd
} else {
let mut cmd = tokio::process::Command::new("sh");
cmd.args(["-c", &n.args.clone().unwrap_or_default()]);
cmd
}
}
source => {
let resolved_path = if source_is_url(source) {
// try to download the shared library
let target_path = Path::new("build")
.join(node_id.to_string())
.with_extension(EXE_EXTENSION);
download_file(source, &target_path)
.await
.wrap_err("failed to download custom node")?;
target_path.clone()
} else {
resolve_path(source, working_dir).wrap_err_with(|| {
format!("failed to resolve node source `{}`", source)
})?
};
// If extension is .py, use python to run the script
let mut cmd = match resolved_path.extension().map(|ext| ext.to_str()) {
Some(Some("py")) => {
let python = get_python_path().context("Could not get python path")?;
tracing::info!("spawning: {:?} {}", &python, resolved_path.display());
let mut cmd = tokio::process::Command::new(&python);
cmd.arg(&resolved_path);
cmd
}
_ => {
tracing::info!("spawning: {}", resolved_path.display());
tokio::process::Command::new(&resolved_path)
}
};
if let Some(args) = &n.args {
cmd.args(args.split_ascii_whitespace());
}
cmd
}
};
command.current_dir(working_dir);
command.stdin(Stdio::null());
let node_config = NodeConfig {
dataflow_id,
node_id: node_id.clone(),
run_config: n.run_config.clone(),
daemon_communication,
dataflow_descriptor,
};
command.env(
"DORA_NODE_CONFIG",
serde_yaml::to_string(&node_config).wrap_err("failed to serialize node config")?,
);
// Injecting the env variable defined in the `yaml` into
// the node runtime.
if let Some(envs) = node.env {
for (key, value) in envs {
command.env(key, value.to_string());
}
}
if let Some(envs) = n.envs {
// node has some inner env variables -> add them too
for (key, value) in envs {
command.env(key, value.to_string());
}
}
command
.stdin(Stdio::null())
.stdout(Stdio::piped())
.stderr(Stdio::piped())
.spawn()
.wrap_err_with(move || {
format!(
"failed to run `{}` with args `{}`",
n.source,
n.args.as_deref().unwrap_or_default(),
)
})?
}
dora_core::descriptor::CoreNodeKind::Runtime(n) => {
let python_operators: Vec<&OperatorDefinition> = n
.operators
.iter()
.filter(|x| matches!(x.config.source, OperatorSource::Python { .. }))
.collect();
let other_operators = n
.operators
.iter()
.any(|x| !matches!(x.config.source, OperatorSource::Python { .. }));
let mut command = if !python_operators.is_empty() && !other_operators {
// Use python to spawn runtime if there is a python operator
// TODO: Handle multi-operator runtime once sub-interpreter is supported
if python_operators.len() > 2 {
eyre::bail!(
"Runtime currently only support one Python Operator.
This is because pyo4 sub-interpreter is not yet available.
See: https://github.com/PyO4/pyo3/issues/576"
);
}
let python_operator = python_operators
.first()
.context("Runtime had no operators definition.")?;
if let OperatorSource::Python(PythonSource {
source: _,
conda_env: Some(conda_env),
}) = &python_operator.config.source
{
let conda = which::which("conda").context(
"failed to find `conda`, yet a `conda_env` was defined. Make sure that `conda` is available.",
)?;
let mut command = tokio::process::Command::new(conda);
command.args([
"run",
"-n",
&conda_env,
"python",
"-c",
format!("import dora; dora.start_runtime() # {}", node.id).as_str(),
]);
command
} else {
let python = get_python_path()
.context("Could not find python path when spawning runtime node")?;
let mut command = tokio::process::Command::new(python);
command.args([
"-c",
format!("import dora; dora.start_runtime() # {}", node.id).as_str(),
]);
command
}
} else if python_operators.is_empty() && other_operators {
let mut cmd = tokio::process::Command::new(
std::env::current_exe().wrap_err("failed to get current executable path")?,
);
cmd.arg("runtime");
cmd
} else {
eyre::bail!("Runtime can not mix Python Operator with other type of operator.");
};
command.current_dir(working_dir);
let runtime_config = RuntimeConfig {
node: NodeConfig {
dataflow_id,
node_id: node_id.clone(),
run_config: NodeRunConfig {
inputs: runtime_node_inputs(&n),
outputs: runtime_node_outputs(&n),
},
daemon_communication,
dataflow_descriptor,
},
operators: n.operators,
};
command.env(
"DORA_RUNTIME_CONFIG",
serde_yaml::to_string(&runtime_config)
.wrap_err("failed to serialize runtime config")?,
);
// Injecting the env variable defined in the `yaml` into
// the node runtime.
if let Some(envs) = node.env {
for (key, value) in envs {
command.env(key, value.to_string());
}
}
command
.stdin(Stdio::null())
.stdout(Stdio::piped())
.stderr(Stdio::piped())
.spawn()
.wrap_err(format!(
"failed to run runtime {}/{}",
runtime_config.node.dataflow_id, runtime_config.node.node_id
))?
}
};
let dataflow_dir: PathBuf = working_dir.join("out").join(dataflow_id.to_string());
if !dataflow_dir.exists() {
std::fs::create_dir_all(&dataflow_dir).context("could not create dataflow_dir")?;
}
let (tx, mut rx) = mpsc::channel(10);
let mut file = File::create(log::log_path(working_dir, &dataflow_id, &node_id))
.await
.expect("Failed to create log file");
let mut child_stdout =
tokio::io::BufReader::new(child.stdout.take().expect("failed to take stdout"));
let pid = child.id().unwrap();
let stdout_tx = tx.clone();
// Stdout listener stream
tokio::spawn(async move {
let mut buffer = String::new();
let mut finished = false;
while !finished {
let mut raw = Vec::new();
finished = match child_stdout
.read_until(b'\n', &mut raw)
.await
.wrap_err_with(|| format!("failed to read stdout line from spawned node {node_id}"))
{
Ok(0) => true,
Ok(_) => false,
Err(err) => {
tracing::warn!("{err:?}");
false
}
};
match String::from_utf8(raw) {
Ok(s) => buffer.push_str(&s),
Err(err) => {
let lossy = String::from_utf8_lossy(err.as_bytes());
tracing::warn!(
"stdout not valid UTF-8 string (node {node_id}): {}: {lossy}",
err.utf8_error()
);
buffer.push_str(&lossy)
}
};
if buffer.contains("TRACE")
|| buffer.contains("INFO")
|| buffer.contains("DEBUG")
|| buffer.contains("WARN")
|| buffer.contains("ERROR")
{
// tracing output, potentially multi-line -> keep reading following lines
// until double-newline
if !buffer.ends_with("\n\n") && !finished {
continue;
}
}
// send the buffered lines
let lines = std::mem::take(&mut buffer);
let sent = stdout_tx.send(lines.clone()).await;
if sent.is_err() {
println!("Could not log: {lines}");
}
}
});
let mut child_stderr =
tokio::io::BufReader::new(child.stderr.take().expect("failed to take stderr"));
// Stderr listener stream
let stderr_tx = tx.clone();
let node_id = node.id.clone();
let uhlc = clock.clone();
let daemon_tx_log = daemon_tx.clone();
tokio::spawn(async move {
let mut buffer = String::new();
let mut finished = false;
while !finished {
let mut raw = Vec::new();
finished = match child_stderr
.read_until(b'\n', &mut raw)
.await
.wrap_err_with(|| format!("failed to read stderr line from spawned node {node_id}"))
{
Ok(0) => true,
Ok(_) => false,
Err(err) => {
tracing::warn!("{err:?}");
true
}
};
match String::from_utf8(raw) {
Ok(s) => buffer.push_str(&s),
Err(err) => {
let lossy = String::from_utf8_lossy(err.as_bytes());
tracing::warn!(
"stderr not valid UTF-8 string (node {node_id}): {}: {lossy}",
err.utf8_error()
);
buffer.push_str(&lossy)
}
};
if buffer.starts_with("Traceback (most recent call last):") {
if !finished {
continue;
} else {
tracing::error!("{dataflow_id}/{}: \n{buffer}", node_id);
}
}
// send the buffered lines
let lines = std::mem::take(&mut buffer);
let sent = stderr_tx.send(lines.clone()).await;
if sent.is_err() {
println!("Could not log: {lines}");
}
}
});
let node_id = node.id.clone();
let (log_finish_tx, log_finish_rx) = oneshot::channel();
tokio::spawn(async move {
let exit_status = NodeExitStatus::from(child.wait().await);
let _ = log_finish_rx.await;
let event = DoraEvent::SpawnedNodeResult {
dataflow_id,
node_id,
exit_status,
}
.into();
let event = Timestamped {
inner: event,
timestamp: clock.new_timestamp(),
};
let _ = daemon_tx.send(event).await;
});
let node_id = node.id.clone();
// Log to file stream.
tokio::spawn(async move {
while let Some(message) = rx.recv().await {
// If log is an output, we're sending the logs to the dataflow
if let Some(stdout_output_name) = &send_stdout_to {
// Convert logs to DataMessage
let array = message.into_arrow();
let array: ArrayData = array.into();
let total_len = required_data_size(&array);
let mut sample: AVec<u8, ConstAlign<128>> = AVec::__from_elem(128, 0, total_len);
let type_info = copy_array_into_sample(&mut sample, &array);
let metadata = Metadata::new(uhlc.new_timestamp(), type_info);
let output_id = OutputId(
node_id.clone(),
DataId::from(stdout_output_name.to_string()),
);
let event = DoraEvent::Logs {
dataflow_id,
output_id,
metadata,
message: DataMessage::Vec(sample),
}
.into();
let event = Timestamped {
inner: event,
timestamp: uhlc.new_timestamp(),
};
let _ = daemon_tx_log.send(event).await;
}
let _ = file
.write_all(message.as_bytes())
.await
.map_err(|err| error!("Could not log {message} to file due to {err}"));
let formatted = message.lines().fold(String::default(), |mut output, line| {
output.push_str(" ");
output.push_str(line);
output.push('\n');
output
});
tracing::trace!("{dataflow_id}/{} logged:\n{formatted}", node.id.clone());
// Make sure that all data has been synced to disk.
let _ = file
.sync_all()
.await
.map_err(|err| error!("Could not sync logs to file due to {err}"));
}
let _ = log_finish_tx
.send(())
.map_err(|_| error!("Could not inform that log file thread finished"));
});
Ok(pid)
}
|