use crate::*;
use stdlib::num::NonZeroU64;
include!(concat!(env!("OUT_DIR"), "/default_precision.rs"));
include!(concat!(env!("OUT_DIR"), "/default_rounding_mode.rs"));
#[derive(Debug, Clone)]
pub struct Context {
precision: NonZeroU64,
rounding: RoundingMode,
}
impl Context {
pub fn new(precision: NonZeroU64, rounding: RoundingMode) -> Self {
Context {
precision: precision,
rounding: rounding,
}
}
pub fn with_precision(&self, precision: NonZeroU64) -> Self {
Self {
precision: precision,
..*self
}
}
pub fn with_prec<T: ToPrimitive>(&self, precision: T) -> Option<Self> {
precision
.to_u64()
.and_then(NonZeroU64::new)
.map(|prec| {
Self {
precision: prec,
..*self
}
})
}
pub fn with_rounding_mode(&self, mode: RoundingMode) -> Self {
Self {
rounding: mode,
..*self
}
}
pub fn precision(&self) -> NonZeroU64 {
self.precision
}
pub fn rounding_mode(&self) -> RoundingMode {
self.rounding
}
pub(crate) fn round_pair(&self, sign: Sign, x: u8, y: u8, trailing_zeros: bool) -> u8 {
self.rounding.round_pair(sign, (x, y), trailing_zeros)
}
#[allow(dead_code)]
pub(crate) fn round_pair_with_carry(&self, sign: Sign, x: u8, y: u8, trailing_zeros: bool, carry: &mut u8) -> u8 {
let r = self.round_pair(sign, x, y, trailing_zeros);
if r == 10 {
*carry = 1;
0
} else {
r
}
}
}
impl stdlib::default::Default for Context {
fn default() -> Self {
Self {
precision: NonZeroU64::new(DEFAULT_PRECISION).unwrap(),
rounding: DEFAULT_ROUNDING_MODE,
}
}
}
impl Context {
pub fn add_refs<'a, 'b, A, B>(&self, a: A, b: B) -> BigDecimal
where
A: Into<BigDecimalRef<'a>>,
B: Into<BigDecimalRef<'b>>,
{
let mut sum = BigDecimal::zero();
self.add_refs_into(a, b, &mut sum);
sum
}
pub fn add_refs_into<'a, 'b, A, B>(&self, a: A, b: B, dest: &mut BigDecimal)
where
A: Into<BigDecimalRef<'a>>,
B: Into<BigDecimalRef<'b>>,
{
let sum = a.into() + b.into();
*dest = sum.with_precision_round(self.precision, self.rounding)
}
}
#[cfg(test)]
mod test_context {
use super::*;
#[test]
fn contstructor_and_setters() {
let ctx = Context::default();
let c = ctx.with_prec(44).unwrap();
assert_eq!(c.precision.get(), 44);
assert_eq!(c.rounding, RoundingMode::HalfEven);
let c = c.with_rounding_mode(RoundingMode::Down);
assert_eq!(c.precision.get(), 44);
assert_eq!(c.rounding, RoundingMode::Down);
}
#[test]
fn sum_two_references() {
use stdlib::ops::Neg;
let ctx = Context::default();
let a: BigDecimal = "209682.134972197168613072130300".parse().unwrap();
let b: BigDecimal = "3.0782968222271332463325639E-12".parse().unwrap();
let sum = ctx.add_refs(&a, &b);
assert_eq!(sum, "209682.1349721971716913689525271332463325639".parse().unwrap());
let neg_b = b.to_ref().neg();
let sum = ctx.add_refs(&a, neg_b);
assert_eq!(sum, "209682.1349721971655347753080728667536674361".parse().unwrap());
let sum = ctx.with_prec(27).unwrap().with_rounding_mode(RoundingMode::Up).add_refs(&a, neg_b);
assert_eq!(sum, "209682.134972197165534775309".parse().unwrap());
}
}