1
use std::{
2
    collections::{BTreeMap, HashMap},
3
    ops::{Range, RangeInclusive},
4
    path::Path,
5
    sync::Arc,
6
    time::{Duration, Instant},
7
};
8

            
9
use bonsaidb::core::async_trait::async_trait;
10
use cli_table::{Cell, Table};
11
use futures::{stream::FuturesUnordered, StreamExt};
12
use plotters::{
13
    coord::ranged1d::{NoDefaultFormatting, ValueFormatter},
14
    element::{BackendCoordOnly, CoordMapper, Drawable, PointCollection},
15
    prelude::*,
16
};
17
use plotters_backend::DrawingErrorKind;
18
use rand::{rngs::SmallRng, SeedableRng};
19
use serde::{Deserialize, Serialize};
20
use tera::Tera;
21
use tokio::runtime::Runtime;
22

            
23
use crate::{
24
    bonsai::{Bonsai, BonsaiBackend},
25
    model::{InitialDataSet, InitialDataSetConfig},
26
    plan::{
27
        AddProductToCart, Checkout, CreateCart, FindProduct, Load, LookupProduct, Operation,
28
        OperationResult, Plan, ReviewProduct, ShopperPlanConfig,
29
    },
30
    plot::{BACKGROUND_COLOR, TEXT_COLOR},
31
    utils::{current_timestamp_string, local_git_rev},
32
};
33

            
34
4
pub fn execute_plans_for_all_backends(
35
4
    name_filter: &str,
36
4
    plans: &[Arc<Plan>],
37
4
    initial_data: &Arc<InitialDataSet>,
38
4
    number_of_agents: usize,
39
4
    measurements: &Measurements,
40
4
) {
41
4
    if name_filter.is_empty()
42
        || name_filter == "bonsaidb"
43
        || name_filter.starts_with("bonsaidb-local")
44
4
    {
45
4
        println!("Executing bonsaidb-local");
46
4
        BonsaiBackend::execute_async(
47
4
            Bonsai::Local,
48
4
            plans,
49
4
            initial_data,
50
4
            number_of_agents,
51
4
            measurements,
52
4
        );
53
4
    }
54
4
    if name_filter.is_empty()
55
        || name_filter == "bonsaidb"
56
        || name_filter.starts_with("bonsaidb-quic")
57
4
    {
58
4
        println!("Executing bonsaidb-quic");
59
4
        BonsaiBackend::execute_async(
60
4
            Bonsai::Quic,
61
4
            plans,
62
4
            initial_data,
63
4
            number_of_agents,
64
4
            measurements,
65
4
        );
66
4
    }
67
4
    if name_filter.is_empty() || name_filter == "bonsaidb" || name_filter.starts_with("bonsaidb-ws")
68
4
    {
69
4
        println!("Executing bonsaidb-ws");
70
4
        BonsaiBackend::execute_async(
71
4
            Bonsai::WebSockets,
72
4
            plans,
73
4
            initial_data,
74
4
            number_of_agents,
75
4
            measurements,
76
4
        );
77
4
    }
78
    #[cfg(feature = "postgresql")]
79
4
    if name_filter.is_empty() || name_filter.starts_with("postgresql") {
80
4
        if let Ok(url) = std::env::var("COMMERCE_POSTGRESQL_URL") {
81
4
            println!("Executing postgresql");
82
4
            crate::postgres::Postgres::execute_async(
83
4
                url,
84
4
                plans,
85
4
                initial_data,
86
4
                number_of_agents,
87
4
                measurements,
88
4
            );
89
4
        } else {
90
            eprintln!("postgresql feature is enabled, but environment variable COMMERCE_POSTGRESQL_URL is missing.");
91
        }
92
    }
93
4
}
94

            
95
#[async_trait]
96
pub trait Backend: Sized + Send + Sync + 'static {
97
    type Operator: BackendOperator;
98
    type Config: Send + Sync;
99

            
100
    async fn new(config: Self::Config) -> Self;
101

            
102
    fn label(&self) -> &'static str;
103

            
104
16
    fn execute_async(
105
16
        config: Self::Config,
106
16
        plans: &[Arc<Plan>],
107
16
        initial_data: &Arc<InitialDataSet>,
108
16
        concurrent_agents: usize,
109
16
        measurements: &Measurements,
110
16
    ) {
111
16
        let (plan_sender, plan_receiver) = flume::bounded(concurrent_agents * 2);
112
16
        let runtime = Runtime::new().unwrap();
113
16
        let backend = runtime.block_on(Self::new(config));
114
16
        // Load the initial data
115
16
        println!("Loading data");
116
16
        runtime.block_on(async {
117
16
            let _ = backend
118
16
                .new_operator_async()
119
4
                .await
120
16
                .operate(
121
16
                    &Load {
122
16
                        initial_data: initial_data.clone(),
123
16
                    },
124
16
                    &[],
125
16
                    measurements,
126
31429
                )
127
31429
                .await;
128
16
        });
129
16
        println!("Executing plans");
130
16
        let agent_handles = FuturesUnordered::new();
131
36
        for _ in 0..concurrent_agents {
132
36
            let operator = runtime.block_on(backend.new_operator_async());
133
36
            agent_handles.push(runtime.spawn(agent::<Self>(
134
36
                operator,
135
36
                plan_receiver.clone(),
136
36
                measurements.clone(),
137
36
            )));
138
36
        }
139
16
        runtime.block_on(async {
140
            // Send the plans to the channel that the agents are waiting for
141
            // them on.
142
2016
            for plan in plans {
143
2000
                plan_sender.send_async(plan.clone()).await.unwrap();
144
            }
145
            // Disconnect the receivers, allowing the agents to exit once there
146
            // are no more plans in queue.
147
16
            drop(plan_sender);
148
            // Wait for each of the agents to return.
149
52
            for result in agent_handles.collect::<Vec<_>>().await {
150
36
                result.unwrap();
151
36
            }
152
16
        })
153
16
    }
154

            
155
    async fn new_operator_async(&self) -> Self::Operator;
156
}
157

            
158
#[async_trait]
159
pub trait Operator<T> {
160
    async fn operate(
161
        &mut self,
162
        operation: &T,
163
        results: &[OperationResult],
164
        measurements: &Measurements,
165
    ) -> OperationResult;
166
}
167

            
168
36
async fn agent<B: Backend>(
169
36
    mut operator: B::Operator,
170
36
    plan_receiver: flume::Receiver<Arc<Plan>>,
171
36
    measurements: Measurements,
172
36
) {
173
2036
    while let Ok(plan) = plan_receiver.recv_async().await {
174
2000
        let mut results = Vec::with_capacity(plan.operations.len());
175
21256
        for step in &plan.operations {
176
44510
            results.push(operator.operate(step, &results, &measurements).await)
177
        }
178
    }
179
36
}
180

            
181
pub trait BackendOperator:
182
    Operator<Load>
183
    + Operator<LookupProduct>
184
    + Operator<FindProduct>
185
    + Operator<CreateCart>
186
    + Operator<AddProductToCart>
187
    + Operator<ReviewProduct>
188
    + Operator<Checkout>
189
    + Send
190
    + Sync
191
{
192
}
193

            
194
#[async_trait]
195
impl<T> Operator<Operation> for T
196
where
197
    T: BackendOperator,
198
{
199
21255
    async fn operate(
200
21255
        &mut self,
201
21255
        operation: &Operation,
202
21255
        results: &[OperationResult],
203
21255
        measurements: &Measurements,
204
21256
    ) -> OperationResult {
205
21256
        match operation {
206
14928
            Operation::FindProduct(op) => self.operate(op, results, measurements).await,
207
13450
            Operation::LookupProduct(op) => self.operate(op, results, measurements).await,
208
3281
            Operation::CreateCart(op) => self.operate(op, results, measurements).await,
209
10431
            Operation::AddProductToCart(op) => self.operate(op, results, measurements).await,
210
939
            Operation::RateProduct(op) => self.operate(op, results, measurements).await,
211
1482
            Operation::Checkout(op) => self.operate(op, results, measurements).await,
212
        }
213
42512
    }
214
}
215

            
216
4
#[derive(Serialize, Deserialize, Debug)]
217
pub struct BenchmarkSummary {
218
    label: String,
219
    timestamp: String,
220
    revision: String,
221
    plan_count: usize,
222
    agent_count: usize,
223
    product_count: usize,
224
    category_count: usize,
225
    customer_count: usize,
226
    order_count: usize,
227
    summaries: Vec<BackendSummary>,
228
    operations: Vec<MetricSummary>,
229
}
230

            
231
impl BenchmarkSummary {
232
4
    pub fn render_to(&self, location: &Path, tera: &Tera) {
233
4
        std::fs::write(
234
4
            location,
235
4
            tera.render("run.html", &tera::Context::from_serialize(self).unwrap())
236
4
                .unwrap()
237
4
                .as_bytes(),
238
4
        )
239
4
        .unwrap()
240
4
    }
241
}
242

            
243
16
#[derive(Serialize, Deserialize, Debug)]
244
pub struct BackendSummary {
245
    backend: String,
246
    transport: String,
247
    total_time: String,
248
    wall_time: String,
249
}
250

            
251
28
#[derive(Serialize, Deserialize, Debug)]
252
pub struct MetricSummary {
253
    metric: Metric,
254
    description: String,
255
    invocations: usize,
256
    summaries: Vec<OperationSummary>,
257
}
258

            
259
112
#[derive(Serialize, Deserialize, Debug)]
260
pub struct OperationSummary {
261
    backend: String,
262
    avg: String,
263
    min: String,
264
    max: String,
265
    stddev: String,
266
    outliers: String,
267
}
268

            
269
pub struct Benchmark<'a> {
270
    pub label: String,
271
    pub seed: Option<u64>,
272
    pub agents: Option<usize>,
273
    pub shoppers: Option<usize>,
274
    pub data_config: &'a InitialDataSetConfig,
275
    pub shopper_config: &'a ShopperPlanConfig,
276
}
277

            
278
impl<'a> Benchmark<'a> {
279
4
    pub fn execute(
280
4
        self,
281
4
        name_filter: &str,
282
4
        plot_dir: impl AsRef<Path>,
283
4
        tera: Arc<Tera>,
284
4
    ) -> BTreeMap<&'static str, Duration> {
285
4
        let plot_dir = plot_dir.as_ref().to_path_buf();
286
4
        std::fs::create_dir_all(&plot_dir).unwrap();
287

            
288
4
        let mut rng = if let Some(seed) = self.seed {
289
3
            SmallRng::seed_from_u64(seed)
290
        } else {
291
1
            SmallRng::from_entropy()
292
        };
293
4
        let initial_data = Arc::new(self.data_config.fake(&mut rng));
294
4
        let number_of_agents = self.agents.unwrap_or_else(num_cpus::get);
295
4
        let shoppers = self.shoppers.unwrap_or(number_of_agents * 100);
296
4

            
297
4
        println!(
298
4
            "Running {} plans across {} agents",
299
4
            shoppers, number_of_agents
300
4
        );
301
4
        // Generate plans to execute.
302
4
        let mut plans = Vec::with_capacity(shoppers as usize);
303
500
        for _ in 0..shoppers {
304
500
            plans.push(Arc::new(
305
500
                self.shopper_config.random_plan(&mut rng, &initial_data),
306
500
            ));
307
500
        }
308
        // Set up our statistics gathering thread
309
4
        let (metric_sender, metric_receiver) = flume::unbounded();
310
4
        let measurements = Measurements {
311
4
            sender: metric_sender,
312
4
        };
313
4
        let thread_initial_data = initial_data.clone();
314
4
        let stats_thread = std::thread::spawn(move || {
315
4
            stats_thread(
316
4
                self.label,
317
4
                metric_receiver,
318
4
                shoppers,
319
4
                number_of_agents,
320
4
                &thread_initial_data,
321
4
                &plot_dir,
322
4
                &tera,
323
4
            )
324
4
        });
325
4
        // Perform all benchmarks
326
4
        execute_plans_for_all_backends(
327
4
            name_filter,
328
4
            &plans,
329
4
            &initial_data,
330
4
            number_of_agents,
331
4
            &measurements,
332
4
        );
333
4
        // Drop the measurements instance to allow the stats thread to know
334
4
        // there are no more metrics coming.
335
4
        drop(measurements);
336
4
        // Wait for the statistics thread to report all the results.
337
4
        stats_thread.join().unwrap()
338
4
    }
339
}
340

            
341
36
#[derive(Clone)]
342
pub struct Measurements {
343
    sender: flume::Sender<(&'static str, Metric, Duration)>,
344
}
345

            
346
impl Measurements {
347
21272
    pub fn begin(&self, label: &'static str, metric: Metric) -> Measurement<'_> {
348
21272
        Measurement {
349
21272
            target: &self.sender,
350
21272
            label,
351
21272
            metric,
352
21272
            start: Instant::now(),
353
21272
        }
354
21272
    }
355
}
356

            
357
pub struct Measurement<'a> {
358
    target: &'a flume::Sender<(&'static str, Metric, Duration)>,
359
    label: &'static str,
360
    metric: Metric,
361
    start: Instant,
362
}
363

            
364
impl<'a> Measurement<'a> {
365
21272
    pub fn finish(self) {
366
21272
        let duration = Instant::now()
367
21272
            .checked_duration_since(self.start)
368
21272
            .expect("time went backwards. Restart benchmarks.");
369
21272
        self.target
370
21272
            .send((self.label, self.metric, duration))
371
21272
            .unwrap();
372
21272
    }
373
}
374

            
375
68095
#[derive(Serialize, Deserialize, Clone, Copy, Hash, Eq, PartialEq, Debug, Ord, PartialOrd)]
376
pub enum Metric {
377
    Load,
378
    LookupProduct,
379
    FindProduct,
380
    CreateCart,
381
    AddProductToCart,
382
    Checkout,
383
    RateProduct,
384
}
385

            
386
impl Metric {
387
28
    pub fn description(&self) -> &'static str {
388
28
        match self {
389
4
            Metric::Load => "Measures the time spent loading the initial data set and performing any pre-cache operations that most database administrators would perform on their databases periodically to ensure good performance.",
390
4
            Metric::LookupProduct => "Meaures the time spent looking up a product by its id. This operation is meant to simulate the basic needs of the database to provide a product details page after a user clicked a direct link that contians the product's unique id, including the product's current rating.",
391
4
            Metric::FindProduct => "Measures the time spent looking up a product by its name (exact match, indexed). This operation is meant to simulate the basic needs of the database to provide a product details after finding a product by its name, including the product's current rating.",
392
4
            Metric::CreateCart => "Measures the time spent creating a shopping cart.",
393
4
            Metric::AddProductToCart => "Measures the time spent adding a product to a shopping cart.",
394
4
            Metric::RateProduct => "Measures the time spent adding or updating a review of a product by a customer. Each customer can only have one review per product. When this operation is complete, all subsequent calls to LookupProduct and FindProduct should reflect the new rating. This simulates an 'upsert' (insert or update) operation using a unique index.",
395
4
            Metric::Checkout => "Measures the time spent converting a shopping cart into an order for a customer."
396
        }
397
28
    }
398
}
399

            
400
2344
fn format_nanoseconds(nanoseconds: f64) -> String {
401
2344
    if nanoseconds <= f64::EPSILON {
402
60
        String::from("0s")
403
2284
    } else if nanoseconds < 1_000. {
404
        format_float(nanoseconds, "ns")
405
2284
    } else if nanoseconds < 1_000_000. {
406
234
        format_float(nanoseconds / 1_000., "us")
407
2050
    } else if nanoseconds < 1_000_000_000. {
408
1904
        format_float(nanoseconds / 1_000_000., "ms")
409
146
    } else if nanoseconds < 1_000_000_000_000. {
410
146
        format_float(nanoseconds / 1_000_000_000., "s")
411
    } else {
412
        // this hopefully is unreachable...
413
        format_float(nanoseconds / 1_000_000_000. / 60., "m")
414
    }
415
2344
}
416

            
417
2284
fn format_float(value: f64, suffix: &str) -> String {
418
2284
    if value < 10. {
419
1262
        format!("{:.3}{}", value, suffix)
420
1022
    } else if value < 100. {
421
379
        format!("{:.2}{}", value, suffix)
422
    } else {
423
643
        format!("{:.1}{}", value, suffix)
424
    }
425
2284
}
426

            
427
#[derive(Clone, Debug)]
428
struct NanosRange(RangeInclusive<Nanos>);
429
2736
#[derive(Debug, Clone, Copy, Ord, PartialOrd, Eq, PartialEq)]
430
struct Nanos(u64);
431

            
432
impl ValueFormatter<Nanos> for NanosRange {
433
1400
    fn format(value: &Nanos) -> String {
434
1400
        format_nanoseconds(value.0 as f64)
435
1400
    }
436
}
437

            
438
impl Ranged for NanosRange {
439
    type ValueType = Nanos;
440
    type FormatOption = NoDefaultFormatting;
441

            
442
39380
    fn map(&self, value: &Self::ValueType, limit: (i32, i32)) -> i32 {
443
39380
        let limited_size = limit.1 - limit.0;
444
39380
        let full_size = self.0.end().0 + 1 - self.0.start().0;
445
39380
        let normalized_offset = value.0.saturating_sub(self.0.start().0) as f64 / full_size as f64;
446
39380
        limit.0 + (normalized_offset * limited_size as f64) as i32
447
39380
    }
448

            
449
280
    fn key_points<Hint: plotters::coord::ranged1d::KeyPointHint>(
450
280
        &self,
451
280
        hint: Hint,
452
280
    ) -> Vec<Self::ValueType> {
453
280
        let total_range = self.0.end().0 - self.0.start().0;
454
280
        let num_points = hint.max_num_points();
455
280
        let mut important_points = Vec::with_capacity(num_points);
456
280
        important_points.push(*self.0.start());
457
280
        if num_points > 2 {
458
280
            let steps = num_points - 2;
459
280
            let step_size = total_range as f64 / steps as f64;
460
280
            important_points.extend(
461
280
                (1..num_points - 1)
462
14840
                    .map(|step| Nanos(self.0.start().0 + (step as f64 * step_size) as u64)),
463
280
            );
464
280
        }
465
280
        important_points.push(*self.0.end());
466
280

            
467
280
        important_points
468
280
    }
469

            
470
    fn range(&self) -> std::ops::Range<Self::ValueType> {
471
        Nanos(self.0.start().0)..Nanos(self.0.end().0 + 1)
472
    }
473
}
474

            
475
impl DiscreteRanged for NanosRange {
476
    fn size(&self) -> usize {
477
        (self.0.end().0 - self.0.start().0) as usize
478
    }
479

            
480
    fn index_of(&self, value: &Self::ValueType) -> Option<usize> {
481
        if value.0 <= self.0.end().0 {
482
            if let Some(index) = value.0.checked_sub(self.0.start().0) {
483
                return Some(index as usize);
484
            }
485
        }
486
        None
487
    }
488

            
489
    fn from_index(&self, index: usize) -> Option<Self::ValueType> {
490
        Some(Nanos(self.0.start().0 + index as u64))
491
    }
492
}
493

            
494
1578
fn label_to_color(label: &str) -> RGBColor {
495
1578
    match label {
496
1578
        "bonsaidb-local" => COLORS[0],
497
1273
        "bonsaidb-quic" => COLORS[1],
498
757
        "bonsaidb-ws" => COLORS[2],
499
451
        "postgresql" => COLORS[3],
500
        "sqlite" => COLORS[4],
501
        _ => panic!("Unknown label: {}", label),
502
    }
503
1578
}
504

            
505
// https://coolors.co/dc0ab4-50e991-00bfa0-3355ff-9b19f5-ffa300-e60049-0bb4ff-e6d800
506
const COLORS: [RGBColor; 9] = [
507
    RGBColor(220, 10, 180),
508
    RGBColor(80, 233, 145),
509
    RGBColor(0, 191, 160),
510
    RGBColor(51, 85, 255),
511
    RGBColor(155, 25, 245),
512
    RGBColor(255, 163, 0),
513
    RGBColor(230, 0, 73),
514
    RGBColor(11, 180, 255),
515
    RGBColor(230, 216, 0),
516
];
517

            
518
4
fn stats_thread(
519
4
    label: String,
520
4
    metric_receiver: flume::Receiver<(&'static str, Metric, Duration)>,
521
4
    number_of_plans: usize,
522
4
    number_of_agents: usize,
523
4
    initial_data: &InitialDataSet,
524
4
    plot_dir: &Path,
525
4
    tera: &Tera,
526
4
) -> BTreeMap<&'static str, Duration> {
527
4
    let mut all_results: BTreeMap<Metric, BTreeMap<&'static str, Vec<u64>>> = BTreeMap::new();
528
4
    let mut accumulated_label_stats: BTreeMap<&'static str, Duration> = BTreeMap::new();
529
4
    let mut longest_by_metric = HashMap::new();
530
21276
    while let Ok((label, metric, duration)) = metric_receiver.recv() {
531
21272
        let metric_results = all_results.entry(metric).or_default();
532
21272
        let label_results = metric_results.entry(label).or_default();
533
21272
        let nanos = u64::try_from(duration.as_nanos()).unwrap();
534
21272
        label_results.push(nanos);
535
21272
        let label_duration = accumulated_label_stats.entry(label).or_default();
536
21272
        longest_by_metric
537
21272
            .entry(metric)
538
21272
            .and_modify(|existing: &mut Duration| {
539
21244
                *existing = (*existing).max(duration);
540
21272
            })
541
21272
            .or_insert(duration);
542
21272
        *label_duration += duration;
543
21272
    }
544

            
545
4
    let mut operations = BTreeMap::new();
546
4
    let mut metric_ranges = HashMap::new();
547
32
    for (metric, label_metrics) in all_results {
548
28
        let label_stats = label_metrics
549
28
            .iter()
550
112
            .map(|(label, stats)| {
551
112
                let mut sum = 0;
552
112
                let mut min = u64::MAX;
553
112
                let mut max = 0;
554
21384
                for &nanos in stats {
555
21272
                    sum += nanos;
556
21272
                    min = min.min(nanos);
557
21272
                    max = max.max(nanos);
558
21272
                }
559
112
                let average = sum as f64 / stats.len() as f64;
560
112
                let stddev = stddev(stats, average);
561
112

            
562
112
                let mut outliers = Vec::new();
563
112
                let mut plottable_stats = Vec::new();
564
112
                let mut min_plottable = u64::MAX;
565
112
                let mut max_plottable = 0;
566
21384
                for &nanos in stats {
567
21272
                    let diff = (nanos as f64 - average).abs();
568
21272
                    let diff_magnitude = diff / stddev;
569
21272
                    if stats.len() == 1 || diff_magnitude < 3. {
570
21017
                        plottable_stats.push(nanos);
571
21017
                        min_plottable = min_plottable.min(nanos);
572
21017
                        max_plottable = max_plottable.max(nanos);
573
21017
                    } else {
574
255
                        // Outlier
575
255
                        outliers.push(diff_magnitude);
576
255
                    }
577
                }
578

            
579
112
                if !outliers.is_empty() {
580
77
                    eprintln!("Not plotting {} outliers for {}", outliers.len(), label);
581
77
                }
582

            
583
112
                metric_ranges
584
112
                    .entry(metric)
585
112
                    .and_modify(|range: &mut Range<u64>| {
586
84
                        range.start = range.start.min(min_plottable);
587
84
                        range.end = range.end.max(max_plottable + 1);
588
112
                    })
589
112
                    .or_insert(min_plottable..max_plottable + 1);
590
112

            
591
112
                (
592
112
                    label,
593
112
                    MetricStats {
594
112
                        average,
595
112
                        min,
596
112
                        max,
597
112
                        stddev,
598
112
                        outliers,
599
112
                        plottable_stats,
600
112
                    },
601
112
                )
602
112
            })
603
28
            .collect::<BTreeMap<_, _>>();
604
28
        println!(
605
28
            "{:?}: {} operations",
606
28
            metric,
607
28
            label_metrics.values().next().unwrap().len()
608
28
        );
609
28
        cli_table::print_stdout(
610
28
            label_metrics
611
28
                .iter()
612
112
                .map(|(label, stats)| {
613
112
                    let average = stats.iter().sum::<u64>() as f64 / stats.len() as f64;
614
112
                    let min = *stats.iter().min().unwrap() as f64;
615
112
                    let max = *stats.iter().max().unwrap() as f64;
616
112
                    let stddev = stddev(stats, average);
617
112

            
618
112
                    vec![
619
112
                        label.cell(),
620
112
                        format_nanoseconds(average).cell(),
621
112
                        format_nanoseconds(min).cell(),
622
112
                        format_nanoseconds(max).cell(),
623
112
                        format_nanoseconds(stddev).cell(),
624
112
                    ]
625
112
                })
626
28
                .table()
627
28
                .title(vec![
628
28
                    "Backend".cell(),
629
28
                    "Avg".cell(),
630
28
                    "Min".cell(),
631
28
                    "Max".cell(),
632
28
                    "StdDev".cell(),
633
28
                ]),
634
28
        )
635
28
        .unwrap();
636
28

            
637
28
        let mut label_chart_data = BTreeMap::new();
638
112
        for (label, metrics) in label_stats.iter() {
639
112
            let report = operations.entry(metric).or_insert_with(|| MetricSummary {
640
28
                metric,
641
28
                invocations: label_metrics.values().next().unwrap().len(),
642
28
                description: metric.description().to_string(),
643
28
                summaries: Vec::new(),
644
112
            });
645
112
            report.summaries.push(OperationSummary {
646
112
                backend: label.to_string(),
647
112
                avg: format_nanoseconds(metrics.average),
648
112
                min: format_nanoseconds(metrics.min as f64),
649
112
                max: format_nanoseconds(metrics.max as f64),
650
112
                stddev: format_nanoseconds(metrics.stddev),
651
112
                outliers: metrics.outliers.len().to_string(),
652
112
            });
653
112
            let mut histogram = vec![0; 63];
654
112
            let range = &metric_ranges[&metric];
655
112
            let bucket_width = range.end / (histogram.len() as u64 - 1);
656
21129
            for &nanos in &metrics.plottable_stats {
657
21017
                let bucket = (nanos / bucket_width) as usize;
658
21017
                histogram[bucket] += 1;
659
21017
            }
660
112
            let chart_data = HistogramBars {
661
112
                bars: histogram
662
112
                    .iter()
663
112
                    .enumerate()
664
7056
                    .filter_map(|(bucket, &count)| {
665
7056
                        if count > 0 {
666
1354
                            let bucket_value = bucket as u64 * bucket_width;
667
1354

            
668
1354
                            Some(HistogramBar::new(
669
1354
                                (Nanos(bucket_value), count),
670
1354
                                bucket_width,
671
1354
                                label_to_color(label),
672
1354
                            ))
673
                        } else {
674
5702
                            None
675
                        }
676
7056
                    })
677
112
                    .collect::<Vec<_>>(),
678
112
            };
679
112
            label_chart_data.insert(label, chart_data);
680
        }
681
28
        let highest_count = Iterator::max(
682
28
            label_chart_data
683
28
                .values()
684
1354
                .flat_map(|chart_data| chart_data.bars.iter().map(|bar| bar.upper_left.1)),
685
28
        )
686
28
        .unwrap();
687
28
        let highest_nanos = Iterator::max(
688
28
            label_chart_data
689
28
                .values()
690
1354
                .flat_map(|chart_data| chart_data.bars.iter().map(|bar| bar.lower_right.0)),
691
28
        )
692
28
        .unwrap();
693
28
        let lowest_nanos = Iterator::min(
694
28
            label_chart_data
695
28
                .values()
696
1354
                .flat_map(|chart_data| chart_data.bars.iter().map(|bar| bar.upper_left.0)),
697
28
        )
698
28
        .unwrap();
699
140
        for (label, chart_data) in label_chart_data {
700
112
            println!("Plotting {}: {:?}", label, metric);
701
112
            let chart_path = plot_dir.join(format!("{}-{:?}.png", label, metric));
702
112
            let chart_root = BitMapBackend::new(&chart_path, (800, 240)).into_drawing_area();
703
112
            chart_root.fill(&BACKGROUND_COLOR).unwrap();
704
112
            let mut chart = ChartBuilder::on(&chart_root)
705
112
                .caption(
706
112
                    format!("{}: {:?}", label, metric),
707
112
                    ("sans-serif", 30., &TEXT_COLOR),
708
112
                )
709
112
                .margin_left(10)
710
112
                .margin_right(50)
711
112
                .margin_bottom(10)
712
112
                .x_label_area_size(50)
713
112
                .y_label_area_size(80)
714
112
                .build_cartesian_2d(
715
112
                    NanosRange(lowest_nanos..=highest_nanos),
716
112
                    0..highest_count + 1,
717
112
                )
718
112
                .unwrap();
719
112

            
720
112
            chart
721
112
                .configure_mesh()
722
112
                .disable_x_mesh()
723
112
                .y_desc("Count")
724
112
                .x_desc("Execution Time")
725
112
                .axis_desc_style(("sans-serif", 15, &TEXT_COLOR))
726
112
                .x_label_style(&TEXT_COLOR)
727
112
                .y_label_style(&TEXT_COLOR)
728
112
                .light_line_style(&TEXT_COLOR.mix(0.1))
729
112
                .bold_line_style(&TEXT_COLOR.mix(0.3))
730
112
                .draw()
731
112
                .unwrap();
732
112

            
733
112
            chart.draw_series(chart_data).unwrap();
734
112
            chart_root.present().unwrap();
735
112
        }
736
28
        let label_lines = label_metrics
737
28
            .iter()
738
112
            .map(|(label, stats)| {
739
112
                let mut running_data = Vec::new();
740
112
                let mut elapsed = 0;
741
21272
                for (index, &nanos) in stats.iter().enumerate() {
742
21272
                    elapsed += nanos;
743
21272
                    running_data.push((index, Nanos(elapsed)));
744
21272
                }
745
112
                (label, running_data)
746
112
            })
747
28
            .collect::<BTreeMap<_, _>>();
748
28
        let metric_chart_path = plot_dir.join(format!("{:?}.png", metric));
749
28
        let metric_chart_root =
750
28
            BitMapBackend::new(&metric_chart_path, (800, 480)).into_drawing_area();
751
28
        metric_chart_root.fill(&BACKGROUND_COLOR).unwrap();
752
28
        let mut metric_chart = ChartBuilder::on(&metric_chart_root)
753
28
            .caption(format!("{:?}", metric), ("sans-serif", 30., &TEXT_COLOR))
754
28
            .margin_left(10)
755
28
            .margin_right(50)
756
28
            .margin_bottom(10)
757
28
            .x_label_area_size(50)
758
28
            .y_label_area_size(80)
759
28
            .build_cartesian_2d(
760
28
                0..label_lines
761
28
                    .iter()
762
112
                    .map(|(_, data)| data.len())
763
28
                    .max()
764
28
                    .unwrap(),
765
28
                NanosRange(
766
28
                    Nanos(0)
767
28
                        ..=label_lines
768
28
                            .iter()
769
112
                            .map(|(_, stats)| stats.last().unwrap().1)
770
28
                            .max()
771
28
                            .unwrap(),
772
28
                ),
773
28
            )
774
28
            .unwrap();
775
28

            
776
28
        metric_chart
777
28
            .configure_mesh()
778
28
            .disable_x_mesh()
779
28
            .x_desc("Invocations")
780
28
            .y_desc("Accumulated Execution Time")
781
28
            .axis_desc_style(("sans-serif", 15, &TEXT_COLOR))
782
28
            .x_label_style(&TEXT_COLOR)
783
28
            .y_label_style(&TEXT_COLOR)
784
28
            .light_line_style(&TEXT_COLOR.mix(0.1))
785
28
            .bold_line_style(&TEXT_COLOR.mix(0.3))
786
28
            .draw()
787
28
            .unwrap();
788

            
789
140
        for (label, data) in label_lines {
790
112
            metric_chart
791
112
                .draw_series(LineSeries::new(data.into_iter(), &label_to_color(label)))
792
112
                .unwrap()
793
112
                .label(label.to_string())
794
112
                .legend(|(x, y)| {
795
112
                    PathElement::new(vec![(x, y), (x + 20, y)], &label_to_color(label))
796
112
                });
797
112
        }
798
28
        metric_chart
799
28
            .configure_series_labels()
800
28
            .border_style(&TEXT_COLOR)
801
28
            .background_style(&BACKGROUND_COLOR)
802
28
            .label_font(&TEXT_COLOR)
803
28
            .position(SeriesLabelPosition::UpperLeft)
804
28
            .draw()
805
28
            .unwrap();
806
28
        metric_chart_root.present().unwrap();
807
    }
808
4
    cli_table::print_stdout(
809
4
        accumulated_label_stats
810
4
            .iter()
811
16
            .map(|(label, duration)| {
812
16
                vec![
813
16
                    label.cell(),
814
16
                    format_nanoseconds(duration.as_nanos() as f64).cell(),
815
16
                ]
816
16
            })
817
4
            .table()
818
4
            .title(vec![
819
4
                "Backend".cell(),
820
4
                format!("Total Execution Time across {} agents", number_of_agents).cell(),
821
4
            ]),
822
4
    )
823
4
    .unwrap();
824
4
    BenchmarkSummary {
825
4
        label,
826
4
        timestamp: current_timestamp_string(),
827
4
        revision: local_git_rev(),
828
4
        plan_count: number_of_plans,
829
4
        agent_count: number_of_agents,
830
4
        product_count: initial_data.products.len(),
831
4
        category_count: initial_data.categories.len(),
832
4
        customer_count: initial_data.customers.len(),
833
4
        order_count: initial_data.orders.len(),
834
4
        summaries: accumulated_label_stats
835
4
            .iter()
836
16
            .map(|(&backend, duration)| BackendSummary {
837
16
                backend: backend.to_string(),
838
16
                transport: match backend {
839
16
                    "bonsaidb-local" => String::from("None"),
840
12
                    "bonsaidb-quic" => String::from("UDP with TLS"),
841
8
                    _ => String::from("TCP"),
842
                },
843
16
                total_time: format_nanoseconds(duration.as_nanos() as f64),
844
16
                wall_time: format_nanoseconds(duration.as_nanos() as f64 / number_of_agents as f64),
845
16
            })
846
4
            .collect(),
847
28
        operations: operations.into_iter().map(|(_k, v)| v).collect(),
848
4
    }
849
4
    .render_to(&plot_dir.join("index.html"), tera);
850
4
    accumulated_label_stats
851
4
}
852

            
853
struct MetricStats {
854
    average: f64,
855
    min: u64,
856
    max: u64,
857
    stddev: f64,
858
    plottable_stats: Vec<u64>,
859
    outliers: Vec<f64>,
860
}
861

            
862
struct HistogramBars {
863
    bars: Vec<HistogramBar>,
864
}
865

            
866
struct HistogramBar {
867
    upper_left: (Nanos, u64),
868
    lower_right: (Nanos, u64),
869

            
870
    color: RGBColor,
871
}
872

            
873
impl HistogramBar {
874
1354
    pub fn new(coord: (Nanos, u64), width: u64, color: RGBColor) -> Self {
875
1354
        Self {
876
1354
            upper_left: (Nanos(coord.0 .0), coord.1),
877
1354
            lower_right: (Nanos(coord.0 .0 + width), 0),
878
1354
            color,
879
1354
        }
880
1354
    }
881
}
882

            
883
impl<'a> Drawable<BitMapBackend<'a>> for HistogramBar {
884
1354
    fn draw<I: Iterator<Item = <BackendCoordOnly as CoordMapper>::Output>>(
885
1354
        &self,
886
1354
        mut pos: I,
887
1354
        backend: &mut BitMapBackend,
888
1354
        _parent_dim: (u32, u32),
889
1354
    ) -> Result<(), DrawingErrorKind<<BitMapBackend as DrawingBackend>::ErrorType>> {
890
1354
        let upper_left = pos.next().unwrap();
891
1354
        let lower_right = pos.next().unwrap();
892
1354
        backend.draw_rect(upper_left, lower_right, &self.color, true)?;
893

            
894
1354
        Ok(())
895
1354
    }
896
}
897

            
898
impl<'a> PointCollection<'a, (Nanos, u64)> for &'a HistogramBar {
899
    type Point = &'a (Nanos, u64);
900

            
901
    type IntoIter = HistogramBarIter<'a>;
902

            
903
1354
    fn point_iter(self) -> Self::IntoIter {
904
1354
        HistogramBarIter::UpperLeft(self)
905
1354
    }
906
}
907

            
908
enum HistogramBarIter<'a> {
909
    UpperLeft(&'a HistogramBar),
910
    LowerRight(&'a HistogramBar),
911
    Done,
912
}
913

            
914
impl<'a> Iterator for HistogramBarIter<'a> {
915
    type Item = &'a (Nanos, u64);
916

            
917
2708
    fn next(&mut self) -> Option<Self::Item> {
918
2708
        let (next, result) = match self {
919
1354
            HistogramBarIter::UpperLeft(bar) => {
920
1354
                (HistogramBarIter::LowerRight(bar), Some(&bar.upper_left))
921
            }
922
1354
            HistogramBarIter::LowerRight(bar) => (HistogramBarIter::Done, Some(&bar.lower_right)),
923
            HistogramBarIter::Done => (HistogramBarIter::Done, None),
924
        };
925
2708
        *self = next;
926
2708
        result
927
2708
    }
928
}
929

            
930
impl IntoIterator for HistogramBars {
931
    type Item = HistogramBar;
932

            
933
    type IntoIter = std::vec::IntoIter<HistogramBar>;
934

            
935
112
    fn into_iter(self) -> Self::IntoIter {
936
112
        self.bars.into_iter()
937
112
    }
938
}
939

            
940
224
fn stddev(data: &[u64], average: f64) -> f64 {
941
224
    if data.is_empty() {
942
        0.
943
    } else {
944
224
        let variance = data
945
224
            .iter()
946
42544
            .map(|value| {
947
42544
                let diff = average - (*value as f64);
948
42544

            
949
42544
                diff * diff
950
42544
            })
951
224
            .sum::<f64>()
952
224
            / data.len() as f64;
953
224

            
954
224
        variance.sqrt()
955
    }
956
224
}