augurs_prophet/optimizer.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452
//! Methods for optimizing the Prophet model.
//!
//! This module contains the `Optimize` trait, which represents
//! a way of finding the optimal parameters for the Prophet model
//! given the data.
//!
//! The original Prophet library uses Stan for this; specifically,
//! it uses the `optimize` command of Stan to find the maximum
//! likelihood estimate (or maximum a-priori estimates) of the
//! parameters.
//!
//! The `cmdstan` feature of this crate provides an implementation
//! of the `Optimize` trait that uses `cmdstan` to do the same.
//! This requires a working installation of `cmdstan`.
//!
//! The `libstan` feature uses FFI calls to call out to the Stan
//! C++ library to do the same. This requires a C++ compiler.
//!
// TODO: actually add these features.
// TODO: come up with a way of doing something in WASM. Maybe
// WASM Components?
// TODO: write a pure Rust optimizer for the default case.
use std::fmt;
use crate::positive_float::PositiveFloat;
/// The initial parameters for the optimization.
#[derive(Clone, Debug, PartialEq)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
pub struct InitialParams {
/// Base trend growth rate.
pub k: f64,
/// Trend offset.
pub m: f64,
/// Trend rate adjustments, length s in data.
pub delta: Vec<f64>,
/// Regressor coefficients, length k in data.
pub beta: Vec<f64>,
/// Observation noise.
pub sigma_obs: PositiveFloat,
}
/// The type of trend to use.
#[derive(Clone, Debug, Copy, Eq, PartialEq)]
pub enum TrendIndicator {
/// Linear trend (default).
Linear,
/// Logistic trend.
Logistic,
/// Flat trend.
Flat,
}
#[cfg(feature = "serde")]
impl serde::Serialize for TrendIndicator {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
serializer.serialize_u8(match self {
Self::Linear => 0,
Self::Logistic => 1,
Self::Flat => 2,
})
}
}
#[cfg(feature = "serde")]
impl<'de> serde::Deserialize<'de> for TrendIndicator {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: serde::Deserializer<'de>,
D::Error: serde::de::Error,
{
let value = u8::deserialize(deserializer)?;
match value {
0 => Ok(Self::Linear),
1 => Ok(Self::Logistic),
2 => Ok(Self::Flat),
_ => Err(serde::de::Error::custom("invalid trend indicator")),
}
}
}
/// Data for the Prophet model.
#[derive(Clone, Debug, PartialEq)]
#[allow(non_snake_case)]
pub struct Data {
/// Number of time periods.
pub T: i32,
/// Time series, length n.
pub y: Vec<f64>,
/// Time, length n.
pub t: Vec<f64>,
/// Capacities for logistic trend, length n.
pub cap: Vec<f64>,
/// Number of changepoints.
pub S: i32,
/// Times of trend changepoints, length s.
pub t_change: Vec<f64>,
/// The type of trend to use.
pub trend_indicator: TrendIndicator,
/// Number of regressors.
/// Must be greater than or equal to 1.
pub K: i32,
/// Indicator of additive features, length k.
pub s_a: Vec<i32>,
/// Indicator of multiplicative features, length k.
pub s_m: Vec<i32>,
/// Regressors, shape (n, k).
///
/// This is stored as a `Vec<f64>` rather than a nested `Vec<Vec<f64>>`
/// because passing such a struct by reference is tricky in Rust, since
/// it can't be dereferenced to a `&[&[f64]]` (which would be ideal).
///
/// However, when serialized to JSON, it is converted to a nested array
/// of arrays, which is what cmdstan expects.
pub X: Vec<f64>,
/// Scale on seasonality prior.
pub sigmas: Vec<PositiveFloat>,
/// Scale on changepoints prior.
/// Must be greater than 0.
pub tau: PositiveFloat,
}
#[cfg(feature = "serde")]
impl serde::Serialize for Data {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
use serde::ser::{SerializeSeq, SerializeStruct};
/// A serializer which serializes X, a flat slice of f64s, as an sequence of sequences,
/// with each one having length equal to the second field.
struct XSerializer<'a>(&'a [f64], usize);
impl serde::Serialize for XSerializer<'_> {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
if self.1 == 0 {
return Err(serde::ser::Error::custom(
"Invalid value for K: cannot be zero",
));
}
let chunk_size = self.1;
let mut outer = serializer.serialize_seq(Some(self.0.len() / chunk_size))?;
for chunk in self.0.chunks(chunk_size) {
outer.serialize_element(&chunk)?;
}
outer.end()
}
}
let mut s = serializer.serialize_struct("Data", 13)?;
let x = XSerializer(&self.X, self.K as usize);
s.serialize_field("T", &self.T)?;
s.serialize_field("y", &self.y)?;
s.serialize_field("t", &self.t)?;
s.serialize_field("cap", &self.cap)?;
s.serialize_field("S", &self.S)?;
s.serialize_field("t_change", &self.t_change)?;
s.serialize_field("trend_indicator", &self.trend_indicator)?;
s.serialize_field("K", &self.K)?;
s.serialize_field("s_a", &self.s_a)?;
s.serialize_field("s_m", &self.s_m)?;
s.serialize_field("X", &x)?;
s.serialize_field("sigmas", &self.sigmas)?;
s.serialize_field("tau", &self.tau)?;
s.end()
}
}
/// The algorithm to use for optimization. One of: 'BFGS', 'LBFGS', 'Newton'.
#[derive(Debug, Clone, Copy, Eq, PartialEq)]
pub enum Algorithm {
/// Use the Newton algorithm.
Newton,
/// Use the Broyden-Fletcher-Goldfarb-Shanno (BFGS) algorithm.
Bfgs,
/// Use the Limited-memory BFGS (L-BFGS) algorithm.
Lbfgs,
}
impl fmt::Display for Algorithm {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let s = match self {
Self::Lbfgs => "lbfgs",
Self::Newton => "newton",
Self::Bfgs => "bfgs",
};
f.write_str(s)
}
}
/// Arguments for optimization.
#[derive(Default, Debug, Clone)]
pub struct OptimizeOpts {
/// Algorithm to use.
pub algorithm: Option<Algorithm>,
/// The random seed to use for the optimization.
pub seed: Option<u32>,
/// The chain id to advance the PRNG.
pub chain: Option<u32>,
/// Line search step size for first iteration.
pub init_alpha: Option<f64>,
/// Convergence tolerance on changes in objective function value.
pub tol_obj: Option<f64>,
/// Convergence tolerance on relative changes in objective function value.
pub tol_rel_obj: Option<f64>,
/// Convergence tolerance on the norm of the gradient.
pub tol_grad: Option<f64>,
/// Convergence tolerance on the relative norm of the gradient.
pub tol_rel_grad: Option<f64>,
/// Convergence tolerance on changes in parameter value.
pub tol_param: Option<f64>,
/// Size of the history for LBFGS Hessian approximation. The value should
/// be less than the dimensionality of the parameter space. 5-10 usually
/// sufficient.
pub history_size: Option<u32>,
/// Total number of iterations.
pub iter: Option<u32>,
/// When `true`, use the Jacobian matrix to approximate the Hessian.
/// Default is `false`.
pub jacobian: Option<bool>,
/// How frequently to emit convergence statistics, in number of iterations.
pub refresh: Option<u32>,
}
/// The optimized parameters.
#[derive(Debug, Clone)]
pub struct OptimizedParams {
/// Base trend growth rate.
pub k: f64,
/// Trend offset.
pub m: f64,
/// Observation noise.
pub sigma_obs: PositiveFloat,
/// Trend rate adjustments.
pub delta: Vec<f64>,
/// Regressor coefficients.
pub beta: Vec<f64>,
/// Transformed trend.
pub trend: Vec<f64>,
}
/// An error that occurred during the optimization procedure.
#[derive(Debug, thiserror::Error)]
#[error(transparent)]
pub struct Error(
/// The kind of error that occurred.
///
/// This is a private field so that we can evolve
/// the `ErrorKind` enum without breaking changes.
#[from]
ErrorKind,
);
impl Error {
/// A static string error.
pub fn static_str(s: &'static str) -> Self {
Self(ErrorKind::StaticStr(s))
}
/// A string error.
pub fn string(s: String) -> Self {
Self(ErrorKind::String(s))
}
/// A custom error, which is any type that implements `std::error::Error`.
pub fn custom<E: std::error::Error + 'static>(e: E) -> Self {
Self(ErrorKind::Custom(Box::new(e)))
}
}
#[derive(Debug, thiserror::Error)]
enum ErrorKind {
#[error("Error in optimization: {0}")]
StaticStr(&'static str),
#[error("Error in optimization: {0}")]
String(String),
#[error("Error in optimization: {0}")]
Custom(#[from] Box<dyn std::error::Error>),
}
/// A type that can run maximum likelihood estimation optimization
/// for the Prophet model.
pub trait Optimizer: std::fmt::Debug {
/// Find the maximum likelihood estimate of the parameters given the
/// data, initial parameters and optimization options.
fn optimize(
&self,
init: &InitialParams,
data: &Data,
opts: &OptimizeOpts,
) -> Result<OptimizedParams, Error>;
}
#[cfg(test)]
pub(crate) mod mock_optimizer {
use std::cell::RefCell;
use super::*;
#[derive(Debug, Clone)]
pub(crate) struct OptimizeCall {
pub init: InitialParams,
pub data: Data,
pub _opts: OptimizeOpts,
}
/// A mock optimizer that records the optimization call.
#[derive(Clone, Debug)]
pub(crate) struct MockOptimizer {
/// The optimization call.
///
/// This will be updated by the mock optimizer when
/// [`Optimizer::optimize`] is called.
// [`Optimizer::optimize`] takes self by reference,
// so we need to store the call in a RefCell.
pub call: RefCell<Option<OptimizeCall>>,
}
impl MockOptimizer {
/// Create a new mock optimizer.
pub(crate) fn new() -> Self {
Self {
call: RefCell::new(None),
}
}
/// Take the optimization call out of the mock.
pub(crate) fn take_call(&self) -> Option<OptimizeCall> {
self.call.borrow_mut().take()
}
}
impl Optimizer for MockOptimizer {
fn optimize(
&self,
init: &InitialParams,
data: &Data,
opts: &OptimizeOpts,
) -> Result<OptimizedParams, Error> {
*self.call.borrow_mut() = Some(OptimizeCall {
init: init.clone(),
data: data.clone(),
_opts: opts.clone(),
});
Ok(OptimizedParams {
k: init.k,
m: init.m,
sigma_obs: init.sigma_obs,
delta: init.delta.clone(),
beta: init.beta.clone(),
trend: Vec::new(),
})
}
}
}
#[cfg(test)]
mod tests {
#[cfg(feature = "serde")]
#[test]
fn serialize_data() {
use super::*;
let data = Data {
T: 3,
y: vec![1.0, 2.0, 3.0],
t: vec![0.0, 1.0, 2.0],
X: vec![1.0, 2.0, 3.0, 1.0, 2.0, 3.0],
sigmas: vec![
1.0.try_into().unwrap(),
2.0.try_into().unwrap(),
3.0.try_into().unwrap(),
],
tau: 1.0.try_into().unwrap(),
K: 2,
s_a: vec![1, 1, 1],
s_m: vec![0, 0, 0],
cap: vec![0.0, 0.0, 0.0],
S: 2,
t_change: vec![0.0, 0.0, 0.0],
trend_indicator: TrendIndicator::Linear,
};
let serialized = serde_json::to_string_pretty(&data).unwrap();
pretty_assertions::assert_eq!(
serialized,
r#"{
"T": 3,
"y": [
1.0,
2.0,
3.0
],
"t": [
0.0,
1.0,
2.0
],
"cap": [
0.0,
0.0,
0.0
],
"S": 2,
"t_change": [
0.0,
0.0,
0.0
],
"trend_indicator": 0,
"K": 2,
"s_a": [
1,
1,
1
],
"s_m": [
0,
0,
0
],
"X": [
[
1.0,
2.0
],
[
3.0,
1.0
],
[
2.0,
3.0
]
],
"sigmas": [
1.0,
2.0,
3.0
],
"tau": 1.0
}"#
);
}
}