|
| 1 | +mod topology; |
| 2 | + |
| 3 | +use clap::{Parser, Subcommand}; |
| 4 | +use serde::Deserialize; |
| 5 | +use std::{ |
| 6 | + collections::{BTreeMap, HashMap}, |
| 7 | + env, |
| 8 | + fs::File, |
| 9 | + io::{Read, Stdout, Write}, |
| 10 | + path::{Path, PathBuf}, |
| 11 | + process::{Command, Stdio}, |
| 12 | + sync::mpsc::{channel, RecvError, Sender}, |
| 13 | + thread, |
| 14 | + time::Duration, |
| 15 | +}; |
| 16 | + |
| 17 | +use crate::topology::Simple; |
| 18 | + |
| 19 | +#[derive(Parser)] |
| 20 | +#[clap(version = env!("CARGO_PKG_VERSION"))] |
| 21 | +struct Cli { |
| 22 | + /// Set the state directory path. If not set the environment |
| 23 | + /// variable CORRO_DEVCLUSTER_STATE_DIR will be used |
| 24 | + #[clap(long = "statedir", short = 'd', global = true)] |
| 25 | + state_directory: Option<PathBuf>, |
| 26 | + |
| 27 | + /// Set the state directory path. If not set the environment |
| 28 | + /// variable CORRO_DEVCLUSTER_SCHEMA_DIR will be used |
| 29 | + #[clap(long = "schemadir", short = 's', global = true)] |
| 30 | + schema_directory: Option<PathBuf>, |
| 31 | + |
| 32 | + /// Provide the binary path for corrosion. If none is provided, |
| 33 | + /// corrosion will be built with nix (which may take a minute) |
| 34 | + #[clap(long = "binpath", short = 'b', global = true)] |
| 35 | + binary_path: Option<String>, |
| 36 | + |
| 37 | + #[command(subcommand)] |
| 38 | + command: CliCommand, |
| 39 | +} |
| 40 | + |
| 41 | +#[derive(Subcommand)] |
| 42 | +enum CliCommand { |
| 43 | + /// Create a simple topology in format `A -> B`, `B -> C`, etc |
| 44 | + Simple { |
| 45 | + /// Set the topology file path |
| 46 | + topology_path: PathBuf, |
| 47 | + }, |
| 48 | +} |
| 49 | + |
| 50 | +fn main() { |
| 51 | + let cli: Cli = Cli::parse(); |
| 52 | + |
| 53 | + let state_dir = match cli |
| 54 | + .state_directory |
| 55 | + .or(env::var("CORRO_DEVCLUSTER_STATE_DIR") |
| 56 | + .ok() |
| 57 | + .map(|path| PathBuf::new().join(path))) |
| 58 | + { |
| 59 | + Some(dir) => dir, |
| 60 | + None => { |
| 61 | + eprintln!("FAILED: either pass `--statedir` or set 'CORRO_DEVCLUSTER_STATE_DIR' environment variable!"); |
| 62 | + std::process::exit(1); |
| 63 | + } |
| 64 | + }; |
| 65 | + |
| 66 | + let schema_dir = match cli |
| 67 | + .schema_directory |
| 68 | + .or(env::var("CORRO_DEVCLUSTER_SCHEMA_DIR") |
| 69 | + .ok() |
| 70 | + .map(|path| PathBuf::new().join(path))) |
| 71 | + { |
| 72 | + Some(dir) => dir, |
| 73 | + None => { |
| 74 | + eprintln!("FAILED: either pass `--statedir` or set 'CORRO_DEVCLUSTER_STATE_DIR' environment variable!"); |
| 75 | + std::process::exit(1); |
| 76 | + } |
| 77 | + }; |
| 78 | + |
| 79 | + let bin_path = cli |
| 80 | + .binary_path |
| 81 | + .or_else(|| build_corrosion().map(|h| h.path)) |
| 82 | + .expect("failed to determine corrosion binary location!"); |
| 83 | + |
| 84 | + match cli.command { |
| 85 | + CliCommand::Simple { topology_path } => { |
| 86 | + let mut topo_config = File::open(topology_path).expect("failed to open topology-file!"); |
| 87 | + let mut topo_buffer = String::new(); |
| 88 | + topo_config |
| 89 | + .read_to_string(&mut topo_buffer) |
| 90 | + .expect("failed to read topology-file!"); |
| 91 | + |
| 92 | + let mut topology = Simple::default(); |
| 93 | + topo_buffer.lines().for_each(|line| { |
| 94 | + topology |
| 95 | + .parse_edge(line) |
| 96 | + .expect("Syntax error in topology-file!"); |
| 97 | + }); |
| 98 | + |
| 99 | + run_simple_topology(topology, bin_path, state_dir, schema_dir); |
| 100 | + } |
| 101 | + } |
| 102 | + |
| 103 | + // let handle = build_corrosion(env::args().next().map(|s| PathBuf::new().join(s)).unwrap()); |
| 104 | + // println!("{:#?}", handle); |
| 105 | +} |
| 106 | + |
| 107 | +fn run_simple_topology(topo: Simple, bin_path: String, state_dir: PathBuf, schema_dir: PathBuf) { |
| 108 | + println!("//// Creating topology: \n{:#?}", topo); |
| 109 | + let nodes = topo.get_all_nodes(); |
| 110 | + |
| 111 | + let mut port_map = BTreeMap::default(); |
| 112 | + |
| 113 | + // First go assign ports to all the nodes |
| 114 | + for node_name in &nodes { |
| 115 | + // Generate a port in range 1025 - 32768 |
| 116 | + let node_port: u16 = 1025 + rand::random::<u16>() % (32 * 1024) - 1025; |
| 117 | + port_map.insert(node_name.clone(), node_port); |
| 118 | + } |
| 119 | + |
| 120 | + // Then generate each config with the appropriate bootstrap_set |
| 121 | + for node_name in &nodes { |
| 122 | + let node_port = port_map.get(node_name).unwrap(); // We just put it there |
| 123 | + let node_state = state_dir.join(node_name); |
| 124 | + |
| 125 | + // Delete / create the node state directory |
| 126 | + let _ = std::fs::remove_dir(&node_state); |
| 127 | + let _ = std::fs::create_dir_all(&node_state); |
| 128 | + |
| 129 | + let mut bootstrap_set = vec![]; |
| 130 | + for link in topo.inner.get(node_name).unwrap() { |
| 131 | + bootstrap_set.push(format!( |
| 132 | + "\"[::1]:{}\"", // only connect locally |
| 133 | + port_map.get(link).expect("Port for node not set!") |
| 134 | + )); |
| 135 | + } |
| 136 | + |
| 137 | + let node_config = generate_config( |
| 138 | + node_state.to_str().unwrap(), |
| 139 | + schema_dir.to_str().unwrap(), |
| 140 | + *node_port, |
| 141 | + bootstrap_set, |
| 142 | + ); |
| 143 | + |
| 144 | + println!( |
| 145 | + "Generated config for node '{}': \n{}", |
| 146 | + node_name, node_config |
| 147 | + ); |
| 148 | + |
| 149 | + let mut config_file = File::create(node_state.join("config.toml")) |
| 150 | + .expect("failed to create node config file"); |
| 151 | + config_file |
| 152 | + .write_all(node_config.as_bytes()) |
| 153 | + .expect("failed to write node config file"); |
| 154 | + } |
| 155 | + |
| 156 | + let (tx, rx) = channel::<()>(); |
| 157 | + |
| 158 | + // Spawn nodes those without bootstraps first if they exist. |
| 159 | + for (pure_responder, _) in topo.inner.iter().filter(|(_, vec)| vec.is_empty()) { |
| 160 | + run_corrosion(tx.clone(), bin_path.clone(), state_dir.join(pure_responder)); |
| 161 | + thread::sleep(Duration::from_millis(250)); // give the start thread a bit of time to breathe |
| 162 | + } |
| 163 | + |
| 164 | + for (initiator, _) in topo.inner.iter().filter(|(_, vec)| !vec.is_empty()) { |
| 165 | + run_corrosion(tx.clone(), bin_path.clone(), state_dir.join(initiator)); |
| 166 | + thread::sleep(Duration::from_millis(250)); // give the start thread a bit of time to breathe |
| 167 | + } |
| 168 | + |
| 169 | + // wait for the threads |
| 170 | + while let Ok(()) = rx.recv() {} |
| 171 | + Command::new("pkill") |
| 172 | + .arg("corrosion") |
| 173 | + .output() |
| 174 | + .expect("failed to gracefully kill corrosions. They've become sentient!!!"); |
| 175 | +} |
| 176 | + |
| 177 | +fn generate_config( |
| 178 | + state_dir: &str, |
| 179 | + schema_dir: &str, |
| 180 | + port: u16, |
| 181 | + bootstrap_set: Vec<String>, |
| 182 | +) -> String { |
| 183 | + let bootstrap = bootstrap_set.join(","); |
| 184 | + format!( |
| 185 | + r#"[db] |
| 186 | +path = "{state_dir}/corrosion.db" |
| 187 | +schema_paths = ["{schema_dir}"] |
| 188 | +
|
| 189 | +[gossip] |
| 190 | +addr = "[::]:{port}" |
| 191 | +external_addr = "[::1]:{port}" |
| 192 | +bootstrap = [{bootstrap}] |
| 193 | +plaintext = true |
| 194 | +
|
| 195 | +[api] |
| 196 | +addr = "127.0.0.1:{api_port}" |
| 197 | +
|
| 198 | +[admin] |
| 199 | +path = "{state_dir}/admin.sock" |
| 200 | +"#, |
| 201 | + state_dir = state_dir, |
| 202 | + schema_dir = schema_dir, |
| 203 | + port = port, |
| 204 | + // the chances of a collision here are very very small since |
| 205 | + // every port is random |
| 206 | + api_port = port + 1, |
| 207 | + bootstrap = bootstrap |
| 208 | + ) |
| 209 | +} |
| 210 | + |
| 211 | +#[derive(Debug)] |
| 212 | +struct BinHandle { |
| 213 | + path: String, |
| 214 | +} |
| 215 | + |
| 216 | +fn nix_output(vec: &Vec<u8>) -> Vec<HashMap<String, serde_json::Value>> { |
| 217 | + serde_json::from_slice(vec).unwrap() |
| 218 | +} |
| 219 | + |
| 220 | +fn run_corrosion(tx: Sender<()>, bin_path: String, state_path: PathBuf) { |
| 221 | + let node_log = File::create(state_path.join("node.log")).expect("couldn't create log file"); |
| 222 | + let mut cmd = Command::new(bin_path); |
| 223 | + |
| 224 | + cmd.args([ |
| 225 | + "-c", |
| 226 | + state_path.join("config.toml").to_str().unwrap(), |
| 227 | + "agent", |
| 228 | + ]); |
| 229 | + |
| 230 | + cmd.stdout(node_log); |
| 231 | + let mut cmd_handle = cmd.spawn().expect("failed to spawn corrosion!"); |
| 232 | + |
| 233 | + thread::spawn(move || { |
| 234 | + println!("Waiting for node..."); |
| 235 | + cmd_handle |
| 236 | + .wait() |
| 237 | + .expect("corrosion node has encountered an error!"); |
| 238 | + tx.send(()).unwrap(); |
| 239 | + println!("Node completed") |
| 240 | + }); |
| 241 | +} |
| 242 | + |
| 243 | +fn build_corrosion() -> Option<BinHandle> { |
| 244 | + println!("Running 'nix build' ..."); |
| 245 | + let build_output = Command::new("nix") |
| 246 | + .args(["build", "--json"]) |
| 247 | + .output() |
| 248 | + .ok()?; |
| 249 | + |
| 250 | + let json = nix_output(&build_output.stdout).remove(0); |
| 251 | + |
| 252 | + Some(BinHandle { |
| 253 | + path: json |
| 254 | + .get("outputs")? |
| 255 | + .get("out")? |
| 256 | + .to_string() |
| 257 | + .replace("\"", ""), |
| 258 | + }) |
| 259 | +} |
0 commit comments