sui_aws_orchestrator/
logs.rs

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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use std::cmp::max;

use crate::display;

/// A simple log analyzer counting the number of errors and panics.
#[derive(Default)]
pub struct LogsAnalyzer {
    /// The number of errors in the nodes' log files.
    pub node_errors: usize,
    /// Whether a node panicked.
    pub node_panic: bool,
    /// The number of errors int he clients' log files.
    pub client_errors: usize,
    /// Whether a client panicked.
    pub client_panic: bool,
}

impl LogsAnalyzer {
    /// Deduce the number of nodes errors from the logs.
    pub fn set_node_errors(&mut self, log: &str) {
        self.node_errors = log.matches(" ERROR").count();
        self.node_panic = log.contains("panic");
    }

    /// Deduce the number of clients errors from the logs.
    pub fn set_client_errors(&mut self, log: &str) {
        self.client_errors = max(self.client_errors, log.matches(" ERROR").count());
        self.client_panic = log.contains("panic");
    }

    /// Aggregate multiple log analyzers into one, based on the analyzer that found the
    /// most serious errors.
    pub fn aggregate(counters: Vec<Self>) -> Self {
        let mut highest = Self::default();
        for counter in counters {
            if counter.node_panic || counter.client_panic {
                return counter;
            } else if counter.client_errors > highest.client_errors
                || counter.node_errors > highest.node_errors
            {
                highest = counter;
            }
        }
        highest
    }

    /// Print a summary of the errors.
    pub fn print_summary(&self) {
        if self.node_panic {
            display::error("Node(s) panicked!");
        } else if self.client_panic {
            display::error("Client(s) panicked!");
        } else if self.node_errors != 0 || self.client_errors != 0 {
            display::newline();
            display::warn(format!(
                "Logs contain errors (node: {}, client: {})",
                self.node_errors, self.client_errors
            ));
        }
    }
}