Skip to content

Commit 6998634

Browse files
committed
sim-cli: source simulation file from data directory
Adds a simln data-dir cli param, but maintains the default value to cwd Sources the simulation file from this data dir Prompts the user to select a simulatin file if the default/configured file is not found
1 parent 3416e02 commit 6998634

File tree

5 files changed

+175
-38
lines changed

5 files changed

+175
-38
lines changed

.gitignore

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,4 +5,4 @@ sim.json
55
package-lock.json
66
activity-generator/releases/*
77
.DS_Store
8-
*simulation_*.csv
8+
/results

Cargo.lock

+77-2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

sim-cli/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,7 @@ Instantly simulate real-world Lightning network activity
1111
[dependencies]
1212
anyhow = { version = "1.0.69", features = ["backtrace"] }
1313
clap = { version = "4.1.6", features = ["derive", "env", "std", "help", "usage", "error-context", "suggestions"], default-features = false }
14+
dialoguer = "0.11.0"
1415
log = "0.4.20"
1516
serde = "1.0.183"
1617
serde_json = "1.0.104"

sim-cli/src/main.rs

+68-6
Original file line numberDiff line numberDiff line change
@@ -10,10 +10,16 @@ use clap::Parser;
1010
use log::LevelFilter;
1111
use sim_lib::{
1212
cln::ClnNode, lnd::LndNode, ActivityDefinition, LightningError, LightningNode, NodeConnection,
13-
NodeId, SimParams, Simulation,
13+
NodeId, PrintResults, SimParams, Simulation,
1414
};
1515
use simple_logger::SimpleLogger;
1616

17+
/// The default directory where the simulation files are stored and where the results will be written to.
18+
pub const DEFAULT_DATA_DIR: &str = ".";
19+
20+
/// The default simulation file to be used by the simulator.
21+
pub const DEFAULT_SIM_FILE: &str = "sim.json";
22+
1723
/// The default expected payment amount for the simulation, around ~$10 at the time of writing.
1824
pub const EXPECTED_PAYMENT_AMOUNT: u64 = 3_800_000;
1925

@@ -42,9 +48,12 @@ fn deserialize_f64_greater_than_zero(x: String) -> Result<f64, String> {
4248
#[derive(Parser)]
4349
#[command(version, about)]
4450
struct Cli {
51+
/// Path to a directory containing simulation files, and where simulation results will be stored
52+
#[clap(long, short, env = "SIM_LN_DATA_DIR", default_value = DEFAULT_DATA_DIR)]
53+
data_dir: PathBuf,
4554
/// Path to the simulation file to be used by the simulator
46-
#[clap(index = 1)]
47-
sim_file: PathBuf,
55+
#[clap(long, short, default_value = DEFAULT_SIM_FILE)]
56+
sim_file: String,
4857
/// Total time the simulator will be running
4958
#[clap(long, short)]
5059
total_time: Option<u32>,
@@ -77,8 +86,9 @@ async fn main() -> anyhow::Result<()> {
7786
.init()
7887
.unwrap();
7988

89+
let sim_path = read_sim_path(cli.data_dir.clone(), cli.sim_file).await?;
8090
let SimParams { nodes, activity } =
81-
serde_json::from_str(&std::fs::read_to_string(cli.sim_file)?)
91+
serde_json::from_str(&std::fs::read_to_string(sim_path)?)
8292
.map_err(|e| anyhow!("Could not deserialize node connection data or activity description from simulation file (line {}, col {}).", e.line(), e.column()))?;
8393

8494
let mut clients: HashMap<PublicKey, Arc<Mutex<dyn LightningNode + Send>>> = HashMap::new();
@@ -179,14 +189,22 @@ async fn main() -> anyhow::Result<()> {
179189
});
180190
}
181191

192+
let print_results = if !cli.no_results {
193+
Some(PrintResults {
194+
results_dir: mkdir(cli.data_dir.clone().join("results")).await?,
195+
batch_size: cli.print_batch_size,
196+
})
197+
} else {
198+
None
199+
};
200+
182201
let sim = Simulation::new(
183202
clients,
184203
validated_activities,
185204
cli.total_time,
186-
cli.print_batch_size,
187205
cli.expected_pmt_amt,
188206
cli.capacity_multiplier,
189-
cli.no_results,
207+
print_results,
190208
);
191209
let sim2 = sim.clone();
192210

@@ -199,3 +217,47 @@ async fn main() -> anyhow::Result<()> {
199217

200218
Ok(())
201219
}
220+
221+
async fn read_sim_path(data_dir: PathBuf, sim_file: String) -> anyhow::Result<PathBuf> {
222+
let sim_path = data_dir.join(sim_file);
223+
224+
let sim_path = if sim_path.extension().is_none() {
225+
sim_path.with_extension("json")
226+
} else {
227+
sim_path
228+
};
229+
230+
if sim_path.exists() {
231+
Ok(sim_path)
232+
} else {
233+
let sim_files: Vec<String> = std::fs::read_dir(data_dir.clone())?
234+
.filter_map(|f| {
235+
f.ok().and_then(|f| {
236+
if f.path().extension()?.to_str()? == "json" {
237+
return f.file_name().into_string().ok();
238+
}
239+
None
240+
})
241+
})
242+
.collect::<Vec<_>>();
243+
244+
if sim_files.is_empty() {
245+
anyhow::bail!("no simulation files found in {:?}.", data_dir);
246+
}
247+
248+
let selection = dialoguer::Select::new()
249+
.with_prompt("Select a simulation file")
250+
.items(&sim_files)
251+
.default(0)
252+
.interact()?;
253+
254+
Ok(data_dir.join(sim_files[selection].clone()))
255+
}
256+
}
257+
258+
async fn mkdir(dir: PathBuf) -> anyhow::Result<PathBuf> {
259+
if !dir.exists() {
260+
tokio::fs::create_dir(&dir).await?;
261+
}
262+
Ok(dir)
263+
}

0 commit comments

Comments
 (0)