use std::{time::{Duration, Instant}};
use clap::Parser;
use ddo::*;
use crate::{io_utils::read_instance, model::{PspRelax, PspRanking}};
mod model;
mod io_utils;
mod ub_utils;
#[cfg(test)]
mod tests;
#[derive(Parser, Debug)]
#[command(author, version, about, long_about = None)]
struct Args {
fname: String,
#[clap(short, long, default_value = "8")]
threads: usize,
#[clap(short, long)]
duration: Option<u64>,
#[clap(short, long)]
width: Option<usize>,
}
fn max_width<P: Problem>(p: &P, w: Option<usize>) -> Box<dyn WidthHeuristic<P::State> + Send + Sync> {
if let Some(w) = w {
Box::new(FixedWidth(w))
} else {
Box::new(NbUnassignedWidth(p.nb_variables()))
}
}
fn cutoff(timeout: Option<u64>) -> Box<dyn Cutoff + Send + Sync> {
if let Some(t) = timeout {
Box::new(TimeBudget::new(Duration::from_secs(t)))
} else {
Box::new(NoCutoff)
}
}
fn main() {
let args = Args::parse();
let fname = &args.fname;
let problem = read_instance(fname).unwrap();
let relaxation = PspRelax::new(&problem);
let ranking = PspRanking;
let width = max_width(&problem, args.width);
let dominance = EmptyDominanceChecker::default();
let cutoff = cutoff(args.duration);
let mut fringe = NoDupFringe::new(MaxUB::new(&ranking));
let mut solver = DefaultCachingSolver::custom(
&problem,
&relaxation,
&ranking,
width.as_ref(),
&dominance,
cutoff.as_ref(),
&mut fringe,
args.threads,
);
let start = Instant::now();
let Completion{ is_exact, best_value } = solver.maximize();
let duration = start.elapsed();
let upper_bound = solver.best_upper_bound();
let lower_bound = solver.best_lower_bound();
let gap = solver.gap();
let best_solution: Option<Vec<_>> = solver.best_solution()
.map(|mut decisions|{
decisions.sort_unstable_by_key(|d| d.variable.id());
decisions.iter()
.map(|d| d.value)
.collect()
});
println!("Duration: {:.3} seconds", duration.as_secs_f32());
println!("Objective: {}", best_value.map(|v| -v).unwrap_or(-1));
println!("Upper Bnd: {}", -upper_bound);
println!("Lower Bnd: {}", -lower_bound);
println!("Gap: {:.3}", gap);
println!("Aborted: {}", !is_exact);
println!("Solution: {:?}", best_solution.unwrap_or_default());
}