Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Create a node API benchmark based on zenoh #170

Closed
wants to merge 6 commits into from
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
21 changes: 21 additions & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

7 changes: 7 additions & 0 deletions Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -10,6 +10,7 @@ members = [
"binaries/*",
"examples/rust-dataflow/*",
"examples/iceoryx/*",
"examples/benchmark/*",
"libraries/communication-layer/*",
"libraries/core",
"libraries/message",
Expand Down Expand Up @@ -38,6 +39,8 @@ eyre = "0.6.8"
tokio = "1.20.1"
dora-coordinator = { path = "binaries/coordinator" }
dunce = "1.0.2"
tracing = "0.1.36"
tracing-subscriber = "0.3.15"

[[example]]
name = "c-dataflow"
Expand All @@ -62,3 +65,7 @@ path = "examples/python-dataflow/run.rs"
[[example]]
name = "iceoryx"
path = "examples/iceoryx/run.rs"

[[example]]
name = "benchmark"
path = "examples/benchmark/run.rs"
19 changes: 19 additions & 0 deletions examples/benchmark/dataflow-iceoryx.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,19 @@
communication:
iceoryx:
app_name_prefix: benchmark-example

nodes:
- id: rust-node
custom:
build: cargo build -p benchmark-example-node --release
source: ../../target/release/benchmark-example-node
outputs:
- latency
- throughput
- id: rust-sink
custom:
build: cargo build -p benchmark-example-sink --release
source: ../../target/release/benchmark-example-sink
inputs:
latency: rust-node/latency
throughput: rust-node/throughput
19 changes: 19 additions & 0 deletions examples/benchmark/dataflow-zenoh.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,19 @@
communication:
zenoh:
prefix: /benchmark-example

nodes:
- id: rust-node
custom:
build: cargo build -p benchmark-example-node --release
source: ../../target/release/benchmark-example-node
outputs:
- latency
- throughput
- id: rust-sink
custom:
build: cargo build -p benchmark-example-sink --release
source: ../../target/release/benchmark-example-sink
inputs:
latency: rust-node/latency
throughput: rust-node/throughput
13 changes: 13 additions & 0 deletions examples/benchmark/node/Cargo.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
[package]
name = "benchmark-example-node"
version.workspace = true
edition = "2021"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
dora-node-api = { workspace = true, features = ["zenoh", "iceoryx"] }
eyre = "0.6.8"
futures = "0.3.21"
rand = "0.8.5"
tokio = { version = "1.20.1", features = ["rt", "macros"] }
58 changes: 58 additions & 0 deletions examples/benchmark/node/src/main.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,58 @@
use std::time::Duration;

use dora_node_api::{self, dora_core::config::DataId, DoraNode};
use rand::Rng;

fn main() -> eyre::Result<()> {
let latency = DataId::from("latency".to_owned());
let throughput = DataId::from("throughput".to_owned());

let mut node = DoraNode::init_from_env()?;
let sizes = [
0,
8,
64,
512,
2048,
4096,
4 * 4096,
10 * 4096,
100 * 4096,
// 1000 * 4096,
// 10000 * 4096,
];

// test latency first
for size in sizes {
for _ in 0..100 {
let data: Vec<u8> = rand::thread_rng()
.sample_iter(rand::distributions::Standard)
.take(size)
.collect();
node.send_output(&latency, Default::default(), data.len(), |out| {
out.copy_from_slice(&data);
})?;

// sleep a bit to avoid queue buildup
std::thread::sleep(Duration::from_millis(10));
}
}

// wait a bit to ensure that all throughput messages reached their target
std::thread::sleep(Duration::from_secs(2));

// then throughput with full speed
for size in sizes {
for _ in 0..100 {
let data: Vec<u8> = rand::thread_rng()
.sample_iter(rand::distributions::Standard)
.take(size)
.collect();
node.send_output(&throughput, Default::default(), data.len(), |out| {
out.copy_from_slice(&data);
})?;
}
}

Ok(())
}
57 changes: 57 additions & 0 deletions examples/benchmark/run.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,57 @@
use eyre::{bail, Context};
use std::path::Path;
use tracing::metadata::LevelFilter;
use tracing_subscriber::Layer;

#[tokio::main]
async fn main() -> eyre::Result<()> {
set_up_tracing().wrap_err("failed to set up tracing subscriber")?;

let root = Path::new(env!("CARGO_MANIFEST_DIR"));
std::env::set_current_dir(root.join(file!()).parent().unwrap())
.wrap_err("failed to set working dir")?;

let dataflow_zenoh = Path::new("dataflow-zenoh.yml");
build_dataflow(dataflow_zenoh).await?;

let dataflow_iceoryx = Path::new("dataflow-iceoryx.yml");
build_dataflow(dataflow_iceoryx).await?;

println!("ZENOH:");
dora_coordinator::run(dora_coordinator::Args {
run_dataflow: dataflow_zenoh.to_owned().into(),
runtime: None,
})
.await?;
println!("\n\nICEORYX:");
dora_coordinator::run(dora_coordinator::Args {
run_dataflow: dataflow_iceoryx.to_owned().into(),
runtime: None,
})
.await?;

Ok(())
}

async fn build_dataflow(dataflow: &Path) -> eyre::Result<()> {
let cargo = std::env::var("CARGO").unwrap();
let mut cmd = tokio::process::Command::new(&cargo);
cmd.arg("run");
cmd.arg("--package").arg("dora-cli");
cmd.arg("--").arg("build").arg(dataflow);
if !cmd.status().await?.success() {
bail!("failed to build dataflow");
};
Ok(())
}

fn set_up_tracing() -> eyre::Result<()> {
use tracing_subscriber::prelude::__tracing_subscriber_SubscriberExt;

let stdout_log = tracing_subscriber::fmt::layer()
.pretty()
.with_filter(LevelFilter::DEBUG);
let subscriber = tracing_subscriber::Registry::default().with(stdout_log);
tracing::subscriber::set_global_default(subscriber)
.context("failed to set tracing global subscriber")
}
10 changes: 10 additions & 0 deletions examples/benchmark/sink/Cargo.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,10 @@
[package]
name = "benchmark-example-sink"
version.workspace = true
edition = "2021"

# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
dora-node-api = { workspace = true, features = ["zenoh", "iceoryx"] }
eyre = "0.6.8"
77 changes: 77 additions & 0 deletions examples/benchmark/sink/src/main.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,77 @@
use dora_node_api::{self, DoraNode};
use std::time::{Duration, Instant};

fn main() -> eyre::Result<()> {
let mut node = DoraNode::init_from_env()?;
let inputs = node.inputs()?;

// latency is tested first
let mut latency = true;

let mut current_size = 0;
let mut n = 0;
let mut start = Instant::now();
let mut latencies = Vec::new();

println!("Latency:");

while let Ok(input) = inputs.recv() {
let data = input.data();

// check if new size bracket
if data.len() != current_size {
if n > 0 {
record_results(start, current_size, n, latencies, latency);
}
current_size = data.len();
n = 0;
start = Instant::now();
latencies = Vec::new();
}

match input.id.as_str() {
"latency" if latency => {}
"throughput" if latency => {
latency = false;
println!("Throughput:");
}
"throughput" => {}
other => {
eprintln!("Ignoring unexpected input `{other}`");
continue;
}
}

n += 1;
latencies.push(
input
.metadata
.timestamp()
.get_time()
.to_system_time()
.elapsed()?,
);
}

record_results(start, current_size, n, latencies, latency);

Ok(())
}

fn record_results(
start: Instant,
current_size: usize,
n: u32,
latencies: Vec<Duration>,
latency: bool,
) {
let msg = if latency {
let avg_latency = latencies.iter().sum::<Duration>() / n;
format!("size {current_size:<#8x}: {avg_latency:?}")
} else {
let duration = start.elapsed();
let msg_per_sec = n as f64 / duration.as_secs_f64();
format!("size {current_size:<#8x}: {msg_per_sec:.0} messages per second")
};
println!("{msg}");
}