lean-ctx 3.1.4

Context Runtime for AI Agents with CCP. 42 MCP tools, 10 read modes, 90+ compression patterns, cross-session memory (CCP), persistent AI knowledge with temporal facts + contradiction detection, multi-agent context sharing + diaries, LITM-aware positioning, AAAK compact format, adaptive compression with Thompson Sampling bandits. Supports 24 AI tools. Reduces LLM token consumption by up to 99%.
Documentation
use chrono::{DateTime, Utc};
use serde::{Deserialize, Serialize};

#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Default)]
pub enum MessagePriority {
    Low,
    #[default]
    Normal,
    High,
    Critical,
}

impl MessagePriority {
    pub fn parse_str(s: &str) -> Self {
        match s.to_lowercase().as_str() {
            "low" => Self::Low,
            "high" => Self::High,
            "critical" => Self::Critical,
            _ => Self::Normal,
        }
    }
}

impl std::fmt::Display for MessagePriority {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Self::Low => write!(f, "low"),
            Self::Normal => write!(f, "normal"),
            Self::High => write!(f, "high"),
            Self::Critical => write!(f, "critical"),
        }
    }
}

#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Default)]
pub enum PrivacyLevel {
    Public,
    #[default]
    Team,
    Private,
}

impl PrivacyLevel {
    pub fn parse_str(s: &str) -> Self {
        match s.to_lowercase().as_str() {
            "public" => Self::Public,
            "private" => Self::Private,
            _ => Self::Team,
        }
    }

    pub fn allows_access(&self, requester_is_sender: bool, requester_is_recipient: bool) -> bool {
        match self {
            Self::Public => true,
            Self::Team => true,
            Self::Private => requester_is_sender || requester_is_recipient,
        }
    }
}

#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct A2AMessage {
    pub id: String,
    pub from_agent: String,
    pub to_agent: Option<String>,
    pub task_id: Option<String>,
    pub category: MessageCategory,
    pub priority: MessagePriority,
    pub privacy: PrivacyLevel,
    pub content: String,
    pub metadata: std::collections::HashMap<String, String>,
    pub timestamp: DateTime<Utc>,
    pub read_by: Vec<String>,
    pub expires_at: Option<DateTime<Utc>>,
}

#[derive(Debug, Clone, Serialize, Deserialize, PartialEq)]
pub enum MessageCategory {
    TaskDelegation,
    TaskUpdate,
    TaskResult,
    ContextShare,
    Question,
    Answer,
    Notification,
    Handoff,
}

impl MessageCategory {
    pub fn parse_str(s: &str) -> Self {
        match s.to_lowercase().as_str() {
            "task_delegation" | "delegation" => Self::TaskDelegation,
            "task_update" | "update" => Self::TaskUpdate,
            "task_result" | "result" => Self::TaskResult,
            "context_share" | "share" => Self::ContextShare,
            "question" => Self::Question,
            "answer" => Self::Answer,
            "handoff" => Self::Handoff,
            _ => Self::Notification,
        }
    }
}

impl std::fmt::Display for MessageCategory {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        match self {
            Self::TaskDelegation => write!(f, "task_delegation"),
            Self::TaskUpdate => write!(f, "task_update"),
            Self::TaskResult => write!(f, "task_result"),
            Self::ContextShare => write!(f, "context_share"),
            Self::Question => write!(f, "question"),
            Self::Answer => write!(f, "answer"),
            Self::Notification => write!(f, "notification"),
            Self::Handoff => write!(f, "handoff"),
        }
    }
}

impl A2AMessage {
    pub fn new(from: &str, to: Option<&str>, category: MessageCategory, content: &str) -> Self {
        Self {
            id: generate_msg_id(),
            from_agent: from.to_string(),
            to_agent: to.map(|s| s.to_string()),
            task_id: None,
            category,
            priority: MessagePriority::Normal,
            privacy: PrivacyLevel::Team,
            content: content.to_string(),
            metadata: std::collections::HashMap::new(),
            timestamp: Utc::now(),
            read_by: vec![from.to_string()],
            expires_at: None,
        }
    }

    pub fn with_task(mut self, task_id: &str) -> Self {
        self.task_id = Some(task_id.to_string());
        self
    }

    pub fn with_priority(mut self, priority: MessagePriority) -> Self {
        self.priority = priority;
        self
    }

    pub fn with_privacy(mut self, privacy: PrivacyLevel) -> Self {
        self.privacy = privacy;
        self
    }

    pub fn with_ttl_hours(mut self, hours: u64) -> Self {
        self.expires_at = Some(Utc::now() + chrono::Duration::hours(hours as i64));
        self
    }

    pub fn is_expired(&self) -> bool {
        self.expires_at.map(|exp| Utc::now() > exp).unwrap_or(false)
    }

    pub fn is_visible_to(&self, agent_id: &str) -> bool {
        if self.is_expired() {
            return false;
        }
        let is_sender = self.from_agent == agent_id;
        let is_recipient = self
            .to_agent
            .as_ref()
            .map(|t| t == agent_id)
            .unwrap_or(true);
        self.privacy.allows_access(is_sender, is_recipient)
    }

    pub fn mark_read(&mut self, agent_id: &str) {
        if !self.read_by.contains(&agent_id.to_string()) {
            self.read_by.push(agent_id.to_string());
        }
    }
}

fn generate_msg_id() -> String {
    use std::time::{SystemTime, UNIX_EPOCH};
    let ts = SystemTime::now()
        .duration_since(UNIX_EPOCH)
        .unwrap_or_default()
        .as_nanos();
    let rand: u64 = (ts as u64).wrapping_mul(6364136223846793005);
    format!("msg-{:x}-{:08x}", ts % 0xFFFF_FFFF, rand as u32)
}

#[cfg(test)]
mod tests {
    use super::*;

    #[test]
    fn privacy_access_control() {
        assert!(PrivacyLevel::Public.allows_access(false, false));
        assert!(PrivacyLevel::Team.allows_access(false, false));
        assert!(!PrivacyLevel::Private.allows_access(false, false));
        assert!(PrivacyLevel::Private.allows_access(true, false));
        assert!(PrivacyLevel::Private.allows_access(false, true));
    }

    #[test]
    fn message_visibility() {
        let msg = A2AMessage::new(
            "agent-a",
            Some("agent-b"),
            MessageCategory::Notification,
            "hello",
        )
        .with_privacy(PrivacyLevel::Private);

        assert!(msg.is_visible_to("agent-a"));
        assert!(msg.is_visible_to("agent-b"));
        assert!(!msg.is_visible_to("agent-c"));
    }

    #[test]
    fn broadcast_visibility() {
        let msg = A2AMessage::new("agent-a", None, MessageCategory::Notification, "hey all");
        assert!(msg.is_visible_to("agent-a"));
        assert!(msg.is_visible_to("agent-x"));
    }

    #[test]
    fn message_expiry() {
        let mut msg = A2AMessage::new("a", None, MessageCategory::Notification, "tmp");
        msg.expires_at = Some(Utc::now() - chrono::Duration::hours(1));
        assert!(msg.is_expired());
        assert!(!msg.is_visible_to("a"));
    }
}