rscopulas 0.2.2

Core Rust library for fitting, evaluating, and sampling copula models and vine copulas
Documentation
mod eval;
mod fit;
mod sample;
mod structure;

use std::ops::Deref;

use ndarray::Array2;
use serde::{Deserialize, Serialize};

use crate::paircopula::{PairCopulaFamily, PairCopulaSpec};

pub use fit::{SelectionCriterion, VineFitOptions};

/// Supported vine structure families.
#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize)]
pub enum VineStructureKind {
    C,
    D,
    R,
}

/// One edge in a vine tree.
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct VineEdge {
    pub tree: usize,
    pub conditioned: (usize, usize),
    pub conditioning: Vec<usize>,
    pub copula: PairCopulaSpec,
}

/// A single tree in a vine decomposition.
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct VineTree {
    pub level: usize,
    pub edges: Vec<VineEdge>,
}

/// Structural metadata for a vine copula.
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct VineStructure {
    pub kind: VineStructureKind,
    pub matrix: Array2<usize>,
    pub truncation_level: Option<usize>,
}

/// Fitted vine copula together with its structural matrices.
#[derive(Debug, Clone, Serialize, Deserialize)]
pub struct VineCopula {
    pub(crate) dim: usize,
    pub(crate) structure: VineStructure,
    pub(crate) trees: Vec<VineTree>,
    pub(crate) normalized_matrix: Array2<usize>,
    pub(crate) variable_order: Vec<usize>,
    pub(crate) pair_matrix: Array2<Option<PairCopulaSpec>>,
    pub(crate) max_matrix: Array2<usize>,
    pub(crate) cond_direct: Array2<bool>,
    pub(crate) cond_indirect: Array2<bool>,
    #[serde(skip, default)]
    pub(crate) runtime: CompiledVineRuntime,
}

impl VineCopula {
    /// Builds a vine copula from explicit trees and an optional truncation level.
    pub fn from_trees(
        kind: VineStructureKind,
        trees: Vec<VineTree>,
        truncation_level: Option<usize>,
    ) -> Result<Self, crate::errors::CopulaError> {
        structure::build_model_from_trees(kind, trees, truncation_level)
    }

    /// Returns the vine structure family.
    pub fn structure(&self) -> VineStructureKind {
        self.structure.kind
    }

    /// Returns structure metadata including the R-vine matrix and truncation level.
    pub fn structure_info(&self) -> &VineStructure {
        &self.structure
    }

    /// Returns the vine trees in evaluation order.
    pub fn trees(&self) -> &[VineTree] {
        &self.trees
    }

    /// Returns the top-level variable order implied by the structure.
    pub fn order(&self) -> Vec<usize> {
        match self.structure.kind {
            VineStructureKind::C => {
                let mut order = Vec::new();
                if let Some(first_tree) = self.trees.first()
                    && let Some(first_edge) = first_tree.edges.first()
                {
                    order.push(first_edge.conditioned.0);
                    order.extend(first_tree.edges.iter().rev().map(|edge| edge.conditioned.1));
                }
                order
            }
            VineStructureKind::D => {
                let mut order = Vec::new();
                if let Some(first_tree) = self.trees.first() {
                    for (idx, edge) in first_tree.edges.iter().rev().enumerate() {
                        if idx == 0 {
                            order.push(edge.conditioned.0);
                        }
                        order.push(edge.conditioned.1);
                    }
                }
                order
            }
            VineStructureKind::R => self.structure.matrix.diag().iter().rev().copied().collect(),
        }
    }

    /// Returns the primary parameter from each pair-copula edge.
    pub fn pair_parameters(&self) -> Vec<f64> {
        self.trees
            .iter()
            .flat_map(|tree| tree.edges.iter())
            .map(|edge| {
                edge.copula
                    .flat_parameters()
                    .into_iter()
                    .next()
                    .unwrap_or(0.0)
            })
            .collect()
    }

    /// Returns the configured truncation level, if any.
    pub fn truncation_level(&self) -> Option<usize> {
        self.structure.truncation_level
    }

    pub(crate) fn compiled_runtime(&self) -> Result<RuntimeView<'_>, crate::errors::CopulaError> {
        if self.runtime.is_empty() {
            Ok(RuntimeView::Owned(structure::compile_runtime(
                &self.normalized_matrix,
                &self.max_matrix,
                &self.cond_indirect,
                &self.pair_matrix,
                &self.variable_order,
            )?))
        } else {
            Ok(RuntimeView::Borrowed(&self.runtime))
        }
    }
}

#[derive(Debug, Clone, Default)]
pub(crate) struct CompiledVineRuntime {
    pub(crate) dim: usize,
    pub(crate) variable_order: Vec<usize>,
    pub(crate) sample_steps: Vec<CompiledSampleStep>,
    pub(crate) eval_steps: Vec<CompiledEvalStep>,
    pub(crate) all_gaussian: bool,
}

impl CompiledVineRuntime {
    pub(crate) fn is_empty(&self) -> bool {
        self.sample_steps.is_empty() || self.eval_steps.is_empty()
    }
}

#[derive(Debug, Clone)]
pub(crate) struct CompiledSampleStep {
    pub(crate) row: usize,
    pub(crate) col: usize,
    pub(crate) label: usize,
    pub(crate) source_from_direct: bool,
    pub(crate) write_indirect: bool,
    pub(crate) spec: PairCopulaSpec,
}

#[derive(Debug, Clone)]
pub(crate) struct CompiledEvalStep {
    pub(crate) row: usize,
    pub(crate) col: usize,
    pub(crate) label: usize,
    pub(crate) source_from_direct: bool,
    pub(crate) write_indirect: bool,
    pub(crate) spec: PairCopulaSpec,
}

pub(crate) enum RuntimeView<'a> {
    Borrowed(&'a CompiledVineRuntime),
    Owned(CompiledVineRuntime),
}

impl Deref for RuntimeView<'_> {
    type Target = CompiledVineRuntime;

    fn deref(&self) -> &Self::Target {
        match self {
            Self::Borrowed(runtime) => runtime,
            Self::Owned(runtime) => runtime,
        }
    }
}

fn default_family_set() -> Vec<PairCopulaFamily> {
    vec![
        PairCopulaFamily::Independence,
        PairCopulaFamily::Gaussian,
        PairCopulaFamily::StudentT,
        PairCopulaFamily::Clayton,
        PairCopulaFamily::Frank,
        PairCopulaFamily::Gumbel,
        PairCopulaFamily::Khoudraji,
    ]
}