src/lib.rs 🔗
@@ -3,6 +3,7 @@ pub mod cmd;
pub mod color;
pub mod db;
pub mod migrate;
+pub mod score;
use clap::Parser;
Amolith created
Add src/score.rs with the core algorithm for the next command: build the
blocker DAG from open tasks, compute transitive downstream scores, and
rank ready tasks using mode-dependent formulas.
src/lib.rs | 1
src/score.rs | 345 ++++++++++++++++++++++++++++++++++++++++++++++++++++++
2 files changed, 346 insertions(+)
@@ -3,6 +3,7 @@ pub mod cmd;
pub mod color;
pub mod db;
pub mod migrate;
+pub mod score;
use clap::Parser;
@@ -0,0 +1,345 @@
+//! Scoring engine for the `next` command.
+//!
+//! Scores ready tasks (open, no open blockers) using priority, effort,
+//! and the transitive downstream impact through the blocker graph.
+
+use std::collections::{HashMap, HashSet, VecDeque};
+
+/// Scoring mode for ranking tasks.
+#[derive(Debug, Clone, Copy, PartialEq, Eq)]
+pub enum Mode {
+ /// Critical path: downstream impact dominates.
+ ///
+ /// `score = (downstream + 1.0) × priority_weight / effort_weight`
+ Impact,
+
+ /// Effort-weighted: effort dominates, downstream is dampened.
+ ///
+ /// `score = (downstream × 0.25 + 1.0) × priority_weight / effort_weight²`
+ Effort,
+}
+
+/// A lightweight snapshot of a task for scoring purposes.
+#[derive(Debug, Clone)]
+pub struct TaskNode {
+ pub id: String,
+ pub priority: i32,
+ pub effort: i32,
+}
+
+/// Scored result for a single task.
+#[derive(Debug, Clone)]
+pub struct ScoredTask {
+ pub id: String,
+ pub title: String,
+ pub priority: i32,
+ pub effort: i32,
+ pub score: f64,
+ pub downstream_score: f64,
+ pub priority_weight: f64,
+ pub effort_weight: f64,
+ /// Total number of open tasks transitively blocked by this one.
+ pub total_unblocked: usize,
+ /// Number of tasks directly blocked by this one.
+ pub direct_unblocked: usize,
+}
+
+/// Convert DB priority (1=high, 2=medium, 3=low) to a scoring weight
+/// where higher priority = higher weight.
+fn priority_weight(p: i32) -> f64 {
+ match p {
+ 1 => 3.0,
+ 2 => 2.0,
+ 3 => 1.0,
+ _ => 2.0,
+ }
+}
+
+/// Convert DB effort (1=low, 2=medium, 3=high) to a scoring weight.
+fn effort_weight(e: i32) -> f64 {
+ match e {
+ 1 => 1.0,
+ 2 => 2.0,
+ 3 => 3.0,
+ _ => 2.0,
+ }
+}
+
+/// Compute the transitive downstream score and count for a given task.
+///
+/// Walks the `blocks` adjacency list (task → set of tasks it blocks)
+/// starting from `start`, summing priority weights of all reachable nodes.
+/// Uses a visited set to handle any residual cycles defensively.
+fn downstream(
+ start: &str,
+ blocks: &HashMap<String, HashSet<String>>,
+ nodes: &HashMap<String, TaskNode>,
+) -> (f64, usize, usize) {
+ let mut score = 0.0;
+ let mut total = 0usize;
+ let mut direct = 0usize;
+
+ let mut visited = HashSet::new();
+ let mut queue = VecDeque::new();
+ visited.insert(start.to_string());
+
+ if let Some(dependents) = blocks.get(start) {
+ for dep in dependents {
+ if visited.insert(dep.clone()) {
+ queue.push_back(dep.clone());
+ direct += 1;
+ }
+ }
+ }
+
+ while let Some(current) = queue.pop_front() {
+ total += 1;
+ if let Some(node) = nodes.get(¤t) {
+ score += priority_weight(node.priority);
+ }
+ if let Some(dependents) = blocks.get(¤t) {
+ for dep in dependents {
+ if visited.insert(dep.clone()) {
+ queue.push_back(dep.clone());
+ }
+ }
+ }
+ }
+
+ (score, total, direct)
+}
+
+/// Score and rank ready tasks.
+///
+/// # Arguments
+/// * `open_tasks` — all open tasks (id, title, priority, effort)
+/// * `blocker_edges` — `(task_id, blocker_id)` pairs among open tasks
+/// * `mode` — scoring strategy
+/// * `limit` — maximum number of results to return
+pub fn rank(
+ open_tasks: &[(String, String, i32, i32)],
+ blocker_edges: &[(String, String)],
+ mode: Mode,
+ limit: usize,
+) -> Vec<ScoredTask> {
+ // Build node map.
+ let mut nodes: HashMap<String, TaskNode> = HashMap::new();
+ let mut titles: HashMap<String, String> = HashMap::new();
+ for (id, title, priority, effort) in open_tasks {
+ nodes.insert(
+ id.clone(),
+ TaskNode {
+ id: id.clone(),
+ priority: *priority,
+ effort: *effort,
+ },
+ );
+ titles.insert(id.clone(), title.clone());
+ }
+
+ // Build adjacency lists.
+ // blocked_by: task_id → set of blocker_ids (who blocks this task)
+ // blocks: blocker_id → set of task_ids (who this task blocks)
+ let mut blocked_by: HashMap<String, HashSet<String>> = HashMap::new();
+ let mut blocks: HashMap<String, HashSet<String>> = HashMap::new();
+
+ for (task_id, blocker_id) in blocker_edges {
+ // Only include edges where both ends are open tasks.
+ if nodes.contains_key(task_id) && nodes.contains_key(blocker_id) {
+ blocked_by
+ .entry(task_id.clone())
+ .or_default()
+ .insert(blocker_id.clone());
+ blocks
+ .entry(blocker_id.clone())
+ .or_default()
+ .insert(task_id.clone());
+ }
+ }
+
+ // Find ready tasks: open tasks with no open blockers.
+ let ready: Vec<&TaskNode> = nodes
+ .values()
+ .filter(|n| !blocked_by.contains_key(&n.id))
+ .collect();
+
+ // Score each ready task.
+ let mut scored: Vec<ScoredTask> = ready
+ .iter()
+ .map(|node| {
+ let (ds, total_unblocked, direct_unblocked) = downstream(&node.id, &blocks, &nodes);
+ let pw = priority_weight(node.priority);
+ let ew = effort_weight(node.effort);
+
+ let score = match mode {
+ Mode::Impact => (ds + 1.0) * pw / ew,
+ Mode::Effort => (ds * 0.25 + 1.0) * pw / (ew * ew),
+ };
+
+ ScoredTask {
+ id: node.id.clone(),
+ title: titles.get(&node.id).cloned().unwrap_or_default(),
+ priority: node.priority,
+ effort: node.effort,
+ score,
+ downstream_score: ds,
+ priority_weight: pw,
+ effort_weight: ew,
+ total_unblocked,
+ direct_unblocked,
+ }
+ })
+ .collect();
+
+ // Sort descending by score, then by id for stability.
+ scored.sort_by(|a, b| {
+ b.score
+ .partial_cmp(&a.score)
+ .unwrap_or(std::cmp::Ordering::Equal)
+ .then_with(|| a.id.cmp(&b.id))
+ });
+
+ scored.truncate(limit);
+ scored
+}
+
+#[cfg(test)]
+mod tests {
+ use super::*;
+
+ fn task(id: &str, title: &str, pri: i32, eff: i32) -> (String, String, i32, i32) {
+ (id.to_string(), title.to_string(), pri, eff)
+ }
+
+ fn edge(task_id: &str, blocker_id: &str) -> (String, String) {
+ (task_id.to_string(), blocker_id.to_string())
+ }
+
+ #[test]
+ fn single_task_no_deps() {
+ let tasks = vec![task("a", "Alpha", 1, 1)];
+ let result = rank(&tasks, &[], Mode::Impact, 5);
+
+ assert_eq!(result.len(), 1);
+ assert_eq!(result[0].id, "a");
+ // (0 + 1.0) * 3.0 / 1.0 = 3.0
+ assert!((result[0].score - 3.0).abs() < f64::EPSILON);
+ assert_eq!(result[0].total_unblocked, 0);
+ assert_eq!(result[0].direct_unblocked, 0);
+ }
+
+ #[test]
+ fn blocker_scores_higher_than_leaf() {
+ // A blocks B. Both are ready-eligible but only A has no blockers.
+ // A is ready (blocks B), B is blocked.
+ let tasks = vec![task("a", "Blocker", 2, 2), task("b", "Blocked", 1, 1)];
+ let edges = vec![edge("b", "a")];
+ let result = rank(&tasks, &edges, Mode::Impact, 5);
+
+ // Only A is ready.
+ assert_eq!(result.len(), 1);
+ assert_eq!(result[0].id, "a");
+ // downstream of A = priority_weight(B) = 3.0
+ // score = (3.0 + 1.0) * 2.0 / 2.0 = 4.0
+ assert!((result[0].score - 4.0).abs() < f64::EPSILON);
+ assert_eq!(result[0].total_unblocked, 1);
+ assert_eq!(result[0].direct_unblocked, 1);
+ }
+
+ #[test]
+ fn transitive_downstream_counted() {
+ // A blocks B, B blocks C. Only A is ready.
+ let tasks = vec![
+ task("a", "Root", 2, 2),
+ task("b", "Mid", 2, 2),
+ task("c", "Leaf", 1, 1),
+ ];
+ let edges = vec![edge("b", "a"), edge("c", "b")];
+ let result = rank(&tasks, &edges, Mode::Impact, 5);
+
+ assert_eq!(result.len(), 1);
+ assert_eq!(result[0].id, "a");
+ // downstream = pw(b) + pw(c) = 2.0 + 3.0 = 5.0
+ // score = (5.0 + 1.0) * 2.0 / 2.0 = 6.0
+ assert!((result[0].score - 6.0).abs() < f64::EPSILON);
+ assert_eq!(result[0].total_unblocked, 2);
+ assert_eq!(result[0].direct_unblocked, 1);
+ }
+
+ #[test]
+ fn diamond_graph_no_double_counting() {
+ // A and B both block C. A and B are ready.
+ let tasks = vec![
+ task("a", "Left", 1, 1),
+ task("b", "Right", 2, 2),
+ task("c", "Sink", 1, 1),
+ ];
+ let edges = vec![edge("c", "a"), edge("c", "b")];
+ let result = rank(&tasks, &edges, Mode::Impact, 5);
+
+ assert_eq!(result.len(), 2);
+ // Both A and B see C as downstream.
+ // A: downstream = pw(c) = 3.0, score = (3+1)*3/1 = 12.0
+ // B: downstream = pw(c) = 3.0, score = (3+1)*2/2 = 4.0
+ assert_eq!(result[0].id, "a");
+ assert!((result[0].score - 12.0).abs() < f64::EPSILON);
+ assert_eq!(result[1].id, "b");
+ assert!((result[1].score - 4.0).abs() < f64::EPSILON);
+ }
+
+ #[test]
+ fn effort_mode_dampens_downstream() {
+ // A blocks B. A is ready.
+ let tasks = vec![
+ task("a", "Blocker", 1, 3), // high pri, high effort
+ task("b", "Blocked", 1, 1),
+ ];
+ let edges = vec![edge("b", "a")];
+
+ let impact = rank(&tasks, &edges, Mode::Impact, 5);
+ let effort = rank(&tasks, &edges, Mode::Effort, 5);
+
+ // Impact: (3.0 + 1.0) * 3.0 / 3.0 = 4.0
+ assert!((impact[0].score - 4.0).abs() < f64::EPSILON);
+ // Effort: (3.0 * 0.25 + 1.0) * 3.0 / 9.0 = 1.75 * 3.0 / 9.0 ≈ 0.583
+ assert!((effort[0].score - (1.75 * 3.0 / 9.0)).abs() < f64::EPSILON);
+ }
+
+ #[test]
+ fn effort_mode_prefers_low_effort() {
+ // Two standalone tasks: A is high-effort, B is low-effort. Same priority.
+ let tasks = vec![task("a", "Heavy", 2, 3), task("b", "Light", 2, 1)];
+ let result = rank(&tasks, &[], Mode::Effort, 5);
+
+ assert_eq!(result.len(), 2);
+ // B should rank higher (low effort).
+ assert_eq!(result[0].id, "b");
+ assert_eq!(result[1].id, "a");
+ }
+
+ #[test]
+ fn limit_truncates() {
+ let tasks = vec![
+ task("a", "A", 1, 1),
+ task("b", "B", 2, 2),
+ task("c", "C", 3, 3),
+ ];
+ let result = rank(&tasks, &[], Mode::Impact, 2);
+ assert_eq!(result.len(), 2);
+ }
+
+ #[test]
+ fn empty_input() {
+ let result = rank(&[], &[], Mode::Impact, 5);
+ assert!(result.is_empty());
+ }
+
+ #[test]
+ fn stable_sort_by_id() {
+ // Two tasks with identical scores should sort by id.
+ let tasks = vec![task("b", "Second", 2, 2), task("a", "First", 2, 2)];
+ let result = rank(&tasks, &[], Mode::Impact, 5);
+ assert_eq!(result[0].id, "a");
+ assert_eq!(result[1].id, "b");
+ }
+}