use anyhow::{Context, Result};
use redis::Connection;
use std::fs;
use std::path::PathBuf;
use std::process::Command;
use std::time::Duration;
pub struct ChildGuard {
name: &'static str,
child: std::process::Child,
}
impl Drop for ChildGuard {
fn drop(&mut self) {
if let Err(e) = self.child.kill() {
println!("Could not kill {}: {e}", self.name);
}
if let Err(e) = self.child.wait() {
println!("Could not wait for {}: {e}", self.name);
}
}
}
pub fn start_redis_server_with_module(module_name: &str, port: u16) -> Result<ChildGuard> {
let extension = if cfg!(target_os = "macos") {
"dylib"
} else {
"so"
};
let profile = if cfg!(not(debug_assertions)) {
"release"
} else {
"debug"
};
let module_path: PathBuf = [
std::env::current_dir()?,
PathBuf::from(format!(
"target/{profile}/examples/lib{module_name}.{extension}"
)),
]
.iter()
.collect();
assert!(fs::metadata(&module_path)
.with_context(|| format!("Loading redis module: {}", module_path.display()))?
.is_file());
let module_path = format!("{}", module_path.display());
let args = &[
"--port",
&port.to_string(),
"--loadmodule",
module_path.as_str(),
"--enable-debug-command",
"yes",
];
let redis_server = Command::new("redis-server")
.args(args)
.spawn()
.map(|c| ChildGuard {
name: "redis-server",
child: c,
})?;
Ok(redis_server)
}
pub fn get_redis_connection(port: u16) -> Result<Connection> {
let client = redis::Client::open(format!("redis://127.0.0.1:{port}/"))?;
loop {
let res = client.get_connection();
match res {
Ok(con) => return Ok(con),
Err(e) => {
if e.is_connection_refusal() {
std::thread::sleep(Duration::from_millis(50));
} else {
return Err(e.into());
}
}
}
}
}