use std::{fs, net::SocketAddr, path::PathBuf};
use crate::{
client::Instance,
error::{MonitorError, MonitorResult},
protocol::ProtocolMetrics,
ssh::{CommandContext, SshConnectionManager},
};
pub struct Monitor {
instance: Instance,
clients: Vec<Instance>,
nodes: Vec<Instance>,
ssh_manager: SshConnectionManager,
}
impl Monitor {
pub fn new(
instance: Instance,
clients: Vec<Instance>,
nodes: Vec<Instance>,
ssh_manager: SshConnectionManager,
) -> Self {
Self {
instance,
clients,
nodes,
ssh_manager,
}
}
pub fn dependencies() -> Vec<&'static str> {
let mut commands = Vec::new();
commands.extend(Prometheus::install_commands());
commands.extend(Grafana::install_commands());
commands
}
pub async fn start_prometheus<P: ProtocolMetrics>(
&self,
protocol_commands: &P,
) -> MonitorResult<()> {
let instance = std::iter::once(self.instance.clone());
let commands =
Prometheus::setup_commands(self.clients.clone(), self.nodes.clone(), protocol_commands);
self.ssh_manager
.execute(instance, commands, CommandContext::default())
.await?;
Ok(())
}
pub async fn start_grafana(&self) -> MonitorResult<()> {
let instance = std::iter::once(self.instance.clone());
let commands = Grafana::setup_commands();
self.ssh_manager
.execute(instance, commands, CommandContext::default())
.await?;
Ok(())
}
pub fn grafana_address(&self) -> String {
format!("http://{}:{}", self.instance.main_ip, Grafana::DEFAULT_PORT)
}
}
pub struct Prometheus;
impl Prometheus {
const DEFAULT_PROMETHEUS_CONFIG_PATH: &'static str = "/etc/prometheus/prometheus.yml";
pub const DEFAULT_PORT: u16 = 9090;
pub fn install_commands() -> Vec<&'static str> {
vec![
"sudo apt-get -y install prometheus",
"sudo chmod 777 -R /var/lib/prometheus/ /etc/prometheus/",
]
}
pub fn setup_commands<I, P>(clients: I, nodes: I, protocol: &P) -> String
where
I: IntoIterator<Item = Instance>,
P: ProtocolMetrics,
{
let mut config = vec![Self::global_configuration()];
let clients_metrics_path = protocol.clients_metrics_path(clients);
for (i, (_, clients_metrics_path)) in clients_metrics_path.into_iter().enumerate() {
let id = format!("client-{i}");
let scrape_config = Self::scrape_configuration(&id, &clients_metrics_path);
config.push(scrape_config);
}
let nodes_metrics_path = protocol.nodes_metrics_path(nodes);
for (i, (_, nodes_metrics_path)) in nodes_metrics_path.into_iter().enumerate() {
let id = format!("node-{i}");
let scrape_config = Self::scrape_configuration(&id, &nodes_metrics_path);
config.push(scrape_config);
}
[
&format!(
"sudo echo \"{}\" > {}",
config.join("\n"),
Self::DEFAULT_PROMETHEUS_CONFIG_PATH
),
"sudo service prometheus restart",
]
.join(" && ")
}
fn global_configuration() -> String {
[
"global:",
" scrape_interval: 5s",
" evaluation_interval: 5s",
"scrape_configs:",
]
.join("\n")
}
fn scrape_configuration(id: &str, nodes_metrics_path: &str) -> String {
let parts: Vec<_> = nodes_metrics_path.split('/').collect();
let address = parts[0].parse::<SocketAddr>().unwrap();
let ip = address.ip();
let port = address.port();
let path = parts[1];
[
&format!(" - job_name: {id}"),
&format!(" metrics_path: /{path}"),
" static_configs:",
" - targets:",
&format!(" - {ip}:{port}"),
]
.join("\n")
}
}
pub struct Grafana;
impl Grafana {
const DATASOURCES_PATH: &'static str = "/etc/grafana/provisioning/datasources";
pub const DEFAULT_PORT: u16 = 3000;
pub fn install_commands() -> Vec<&'static str> {
vec![
"sudo apt-get install -y apt-transport-https software-properties-common wget",
"sudo wget -q -O /usr/share/keyrings/grafana.key https://apt.grafana.com/gpg.key",
"(sudo rm /etc/apt/sources.list.d/grafana.list || true)",
"echo \"deb [signed-by=/usr/share/keyrings/grafana.key] https://apt.grafana.com stable main\" | sudo tee -a /etc/apt/sources.list.d/grafana.list",
"sudo apt-get update",
"sudo apt-get install -y grafana",
"sudo chmod 777 -R /etc/grafana/",
]
}
pub fn setup_commands() -> String {
[
&format!("(rm -r {} || true)", Self::DATASOURCES_PATH),
&format!("mkdir -p {}", Self::DATASOURCES_PATH),
&format!(
"sudo echo \"{}\" > {}/testbed.yml",
Self::datasource(),
Self::DATASOURCES_PATH
),
"sudo service grafana-server restart",
]
.join(" && ")
}
fn datasource() -> String {
[
"apiVersion: 1",
"deleteDatasources:",
" - name: testbed",
" orgId: 1",
"datasources:",
" - name: testbed",
" type: prometheus",
" access: proxy",
" orgId: 1",
&format!(" url: http://localhost:{}", Prometheus::DEFAULT_PORT),
" editable: true",
" uid: Fixed-UID-testbed",
]
.join("\n")
}
}
#[allow(dead_code)]
pub struct LocalGrafana;
#[allow(dead_code)]
impl LocalGrafana {
const DEFAULT_GRAFANA_HOME: &'static str = "/opt/homebrew/opt/grafana/share/grafana/";
const DATASOURCES_PATH: &'static str = "conf/provisioning/datasources/";
pub const DEFAULT_PORT: u16 = 3000;
pub fn run<I>(instances: I) -> MonitorResult<()>
where
I: IntoIterator<Item = Instance>,
{
let path: PathBuf = [Self::DEFAULT_GRAFANA_HOME, Self::DATASOURCES_PATH]
.iter()
.collect();
fs::remove_dir_all(&path).unwrap();
fs::create_dir(&path).unwrap();
for (i, instance) in instances.into_iter().enumerate() {
let mut file = path.clone();
file.push(format!("instance-{}.yml", i));
fs::write(&file, Self::datasource(&instance, i)).map_err(|e| {
MonitorError::GrafanaError(format!("Failed to write grafana datasource ({e})"))
})?;
}
std::process::Command::new("brew")
.arg("services")
.arg("restart")
.arg("grafana")
.arg("-q")
.spawn()
.map_err(|e| MonitorError::GrafanaError(e.to_string()))?;
Ok(())
}
fn datasource(instance: &Instance, index: usize) -> String {
[
"apiVersion: 1",
"deleteDatasources:",
&format!(" - name: instance-{index}"),
" orgId: 1",
"datasources:",
&format!(" - name: instance-{index}"),
" type: prometheus",
" access: proxy",
" orgId: 1",
&format!(
" url: http://{}:{}",
instance.main_ip,
Prometheus::DEFAULT_PORT
),
" editable: true",
&format!(" uid: UID-{index}"),
]
.join("\n")
}
}