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 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582
//! Various implementations of Domain.
//!
//! These different versions of [`Domain`] provide a general set of models used throughout OpenDP.
//! Most of the implementations are generic, with the type parameter setting the underlying [`Domain::Carrier`]
//! type.
//!
//! A data domain is a representation of the set of values on which the function associated with a transformation or measurement can operate.
//! Each metric (see [`crate::metrics`]) is associated with certain data domains.
//! The [`Domain`] trait is implemented for all domains used in OpenDP.
#[cfg(feature = "ffi")]
pub(crate) mod ffi;
#[cfg(feature = "polars")]
mod polars;
#[cfg(feature = "polars")]
pub use polars::*;
// Once we have things using `Any` that are outside of `contrib`, this should specify `feature="ffi"`.
#[cfg(feature = "contrib")]
use std::any::Any;
use std::collections::HashMap;
use std::hash::Hash;
use std::marker::PhantomData;
use std::ops::Bound;
use crate::core::Domain;
use crate::error::Fallible;
use crate::traits::{CheckAtom, InherentNull, ProductOrd};
use std::fmt::{Debug, Formatter};
#[cfg(feature = "contrib")]
mod poly;
/// # Proof Definition
/// `AtomDomain(T)` is the domain of all values of an atomic type `T`.
/// If bounds are set, then the domain is restricted to the bounds.
/// If nullable is set, then null value(s) are included in the domain.
///
/// # Notes
/// If nullable is set, a domain may have multiple possible null values,
/// like in the case of floating-point numbers, which have ~`2^MANTISSA_BITS` null values.
///
/// Because domains are defined in terms of a union,
/// null values need a conceptual definition of equality to uniquely identify them in a set.
/// In order to construct a well-defined set of members in the domain,
/// we consider null values to have the same identity if their bit representation is equal.
///
/// # Example
/// ```
/// // Create a domain that includes all values `{0, 1, ..., 2^32 - 1}`.
/// use opendp::domains::AtomDomain;
/// let i32_domain = AtomDomain::<i32>::default();
///
/// // 1 is a member of the i32_domain
/// use opendp::core::Domain;
/// assert!(i32_domain.member(&1)?);
///
/// // Create a domain that includes all non-null 32-bit floats.
/// let f32_domain = AtomDomain::<f32>::default();
///
/// // 1. is a member of the f32_domain
/// assert!(f32_domain.member(&1.)?);
/// // NAN is not a member of the f32_domain
/// assert!(!f32_domain.member(&f32::NAN)?);
/// # opendp::error::Fallible::Ok(())
/// ```
///
/// # Null Example
/// ```
/// use opendp::domains::{Null, AtomDomain};
/// let all_domain = AtomDomain::default();
/// let null_domain = AtomDomain::new_nullable();
///
/// use opendp::core::Domain;
/// // f64 NAN is not a member of all_domain, but is a member of null_domain
/// assert!(!all_domain.member(&f64::NAN)?);
/// assert!(null_domain.member(&f64::NAN)?);
///
/// # opendp::error::Fallible::Ok(())
/// ```
#[derive(Clone, PartialEq)]
pub struct AtomDomain<T: CheckAtom> {
pub bounds: Option<Bounds<T>>,
nullable: bool,
}
impl<T: CheckAtom> Debug for AtomDomain<T> {
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), std::fmt::Error> {
let bounds = self
.bounds
.as_ref()
.map(|b| format!("bounds={:?}, ", b))
.unwrap_or_default();
let nullable = self.nullable.then(|| "nullable=true, ").unwrap_or_default();
write!(f, "AtomDomain({}{}T={})", bounds, nullable, type_name!(T))
}
}
impl<T: CheckAtom> Default for AtomDomain<T> {
fn default() -> Self {
AtomDomain {
bounds: None,
nullable: false,
}
}
}
impl<T: CheckAtom> AtomDomain<T> {
pub fn new(bounds: Option<Bounds<T>>, nullable: Option<Null<T>>) -> Self {
AtomDomain {
bounds,
nullable: nullable.is_some(),
}
}
pub fn nullable(&self) -> bool {
self.nullable
}
pub fn assert_non_null(&self) -> Fallible<()> {
if self.nullable() {
return fallible!(FailedFunction, "Domain has null values");
}
Ok(())
}
pub fn bounds(&self) -> Option<&Bounds<T>> {
self.bounds.as_ref()
}
}
impl<T: CheckAtom + InherentNull> AtomDomain<T> {
pub fn new_nullable() -> Self {
AtomDomain {
bounds: None,
nullable: true,
}
}
}
impl<T: CheckAtom + ProductOrd> AtomDomain<T> {
pub fn new_closed(bounds: (T, T)) -> Fallible<Self> {
Ok(AtomDomain {
bounds: Some(Bounds::new_closed(bounds)?),
nullable: false,
})
}
pub fn get_closed_bounds(&self) -> Fallible<(T, T)> {
let bounds = self.bounds.as_ref().ok_or_else(|| {
err!(
MakeTransformation,
"input domain must consist of bounded data. Either specify bounds in the input domain or use make_clamp."
)
})?;
match (&bounds.lower, &bounds.upper) {
(Bound::Included(l), Bound::Included(u)) => Ok((l.clone(), u.clone())),
_ => fallible!(MakeTransformation, "bounds are not closed"),
}
}
}
impl<T: CheckAtom> Domain for AtomDomain<T> {
type Carrier = T;
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
val.check_member(self.bounds.clone(), self.nullable)
}
}
/// # Proof Definition
/// `Null(T)` is a marker that can only be constructed by values of `T` that can contain inherent nullity.
///
/// The nullity of members in `T` is indicated via the trait [`crate::traits::InherentNull`].
#[derive(PartialEq)]
pub struct Null<T> {
pub _marker: PhantomData<T>,
}
impl<T> Clone for Null<T> {
fn clone(&self) -> Self {
Self {
_marker: self._marker.clone(),
}
}
}
impl<T: InherentNull> Default for Null<T> {
fn default() -> Self {
Self::new()
}
}
impl<T: InherentNull> Null<T> {
pub fn new() -> Self {
Null {
_marker: PhantomData,
}
}
}
impl<T> Debug for Null<T> {
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), std::fmt::Error> {
write!(f, "Null({:?})", type_name!(T))
}
}
/// # Proof Definition
/// `Bounds(lower, upper, T)` is the interval of all **non-null** values of type `T`
/// between some `lower` bound and `upper` bound.
///
/// # Notes
/// The bounds may be inclusive, exclusive, or unbounded (for half-open intervals).
/// For a type `T` to be valid, it must be totally ordered ([`crate::traits::ProductOrd`]).
///
/// It is impossible to construct an instance of `Bounds` with inconsistent bounds.
/// The constructors for this struct return an error if `lower > upper`, or if the bounds both exclude and include a value.
#[derive(Clone, PartialEq)]
pub struct Bounds<T> {
lower: Bound<T>,
upper: Bound<T>,
}
impl<T: ProductOrd> Bounds<T> {
pub fn new_closed(bounds: (T, T)) -> Fallible<Self> {
Self::new((Bound::Included(bounds.0), Bound::Included(bounds.1)))
}
/// Checks that the arguments are well-formed.
pub fn new(bounds: (Bound<T>, Bound<T>)) -> Fallible<Self> {
let (lower, upper) = bounds;
fn get<T>(value: &Bound<T>) -> Option<&T> {
match value {
Bound::Included(value) => Some(value),
Bound::Excluded(value) => Some(value),
Bound::Unbounded => None,
}
}
if let Some((v_lower, v_upper)) = get(&lower).zip(get(&upper)) {
if v_lower > v_upper {
return fallible!(
MakeDomain,
"lower bound may not be greater than upper bound"
);
}
if v_lower == v_upper {
match (&lower, &upper) {
(Bound::Included(_l), Bound::Excluded(_u)) => {
return fallible!(MakeDomain, "upper bound excludes inclusive lower bound")
}
(Bound::Excluded(_l), Bound::Included(_u)) => {
return fallible!(MakeDomain, "lower bound excludes inclusive upper bound")
}
_ => (),
}
}
}
Ok(Bounds { lower, upper })
}
pub fn lower(&self) -> Option<&T> {
match &self.lower {
Bound::Included(v) => Some(v),
Bound::Excluded(v) => Some(v),
Bound::Unbounded => None,
}
}
pub fn upper(&self) -> Option<&T> {
match &self.upper {
Bound::Included(v) => Some(v),
Bound::Excluded(v) => Some(v),
Bound::Unbounded => None,
}
}
}
impl<T: Clone> Bounds<T> {
pub fn get_closed(&self) -> Fallible<(T, T)> {
match (&self.lower, &self.upper) {
(Bound::Included(lower), Bound::Included(upper)) => Ok((lower.clone(), upper.clone())),
_ => fallible!(MakeDomain, "Bounds are not closed"),
}
}
}
impl<T: Debug> Debug for Bounds<T> {
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), std::fmt::Error> {
let lower = match &self.lower {
Bound::Included(v) => format!("[{:?}", v),
Bound::Excluded(v) => format!("({:?}", v),
Bound::Unbounded => "(-∞".to_string(),
};
let upper = match &self.upper {
Bound::Included(v) => format!("{:?}]", v),
Bound::Excluded(v) => format!("{:?})", v),
Bound::Unbounded => "∞)".to_string(),
};
write!(f, "{}, {}", lower, upper)
}
}
impl<T: Clone + ProductOrd> Bounds<T> {
pub fn member(&self, val: &T) -> Fallible<bool> {
Ok(match &self.lower {
Bound::Included(bound) => val.total_ge(bound)?,
Bound::Excluded(bound) => val.total_gt(bound)?,
Bound::Unbounded => true,
} && match &self.upper {
Bound::Included(bound) => val.total_le(bound)?,
Bound::Excluded(bound) => val.total_lt(bound)?,
Bound::Unbounded => true,
})
}
}
/// A Domain that contains maps of (homogeneous) values.
///
/// # Proof Definition
/// `MapDomain(key_domain, value_domain, DK, DV)` consists of all hashmaps where
/// keys are elements of key_domain (of type DK) and
/// values are elements of value_domain (of type DV).
///
/// The elements in the DK domain are hashable and have a strict equality operation.
///
/// # Example
/// ```
/// use opendp::domains::{MapDomain, AtomDomain};
/// // Rust infers the type from the context, at compile-time.
/// // Members of this domain are of type `HashMap<&str, i32>`.
/// let domain = MapDomain::new(AtomDomain::default(), AtomDomain::default());
///
/// use opendp::core::Domain;
/// use std::collections::HashMap;
///
/// // create a hashmap we can test with
/// let hashmap = HashMap::from_iter([("a", 23), ("b", 12)]);
/// assert!(domain.member(&hashmap)?);
///
/// // Can build up more complicated domains as needed:
/// let value_domain = AtomDomain::new_closed((0., 1.))?;
/// let domain = MapDomain::new(AtomDomain::default(), value_domain);
///
/// // The following is not a member of the hashmap domain, because a value is out-of-range:
/// let hashmap = HashMap::from_iter([("a", 0.), ("b", 2.)]);
/// assert!(!domain.member(&hashmap)?);
/// # opendp::error::Fallible::Ok(())
/// ```
#[derive(Clone, PartialEq, Debug, Default)]
pub struct MapDomain<DK: Domain, DV: Domain>
where
DK::Carrier: Eq + Hash,
{
pub key_domain: DK,
pub value_domain: DV,
}
impl<DK: Domain, DV: Domain> MapDomain<DK, DV>
where
DK::Carrier: Eq + Hash,
{
pub fn new(key_domain: DK, element_domain: DV) -> Self {
MapDomain {
key_domain,
value_domain: element_domain,
}
}
}
impl<DK: Domain, DV: Domain> Domain for MapDomain<DK, DV>
where
DK::Carrier: Eq + Hash,
{
type Carrier = HashMap<DK::Carrier, DV::Carrier>;
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
for (k, v) in val {
if !self.key_domain.member(k)? || !self.value_domain.member(v)? {
return Ok(false);
}
}
Ok(true)
}
}
/// A Domain that contains vectors of (homogeneous) values.
///
/// # Proof Definition
/// `VectorDomain(inner_domain, D, Option<size>)` is the domain of all vectors of elements drawn from domain `inner_domain`.
/// If size is specified, then the domain is further restricted to all vectors of the given size.
///
/// # Example
/// ```
/// use opendp::domains::{VectorDomain, AtomDomain};
/// use opendp::core::Domain;
///
/// // Represents the domain of vectors.
/// let vec_domain = VectorDomain::new(AtomDomain::default());
/// assert!(vec_domain.member(&vec![1, 2, 3])?);
///
/// // Represents the domain of all vectors of bounded elements.
/// let bounded_domain = VectorDomain::new(AtomDomain::new_closed((-10, 10))?);
///
/// // vec![0] is a member, but vec![12] is not, because 12 is out of bounds of the inner domain
/// assert!(bounded_domain.member(&vec![0])?);
/// assert!(!bounded_domain.member(&vec![12])?);
///
/// # opendp::error::Fallible::Ok(())
/// ```
///
/// # Size Example
/// ```
/// use opendp::domains::{VectorDomain, AtomDomain};
/// // Create a domain that includes all i32 vectors of length 3.
/// let sized_domain = VectorDomain::new(AtomDomain::<i32>::default()).with_size(3);
///
/// // vec![1, 2, 3] is a member of the sized_domain
/// use opendp::core::Domain;
/// assert!(sized_domain.member(&vec![1, 2, 3])?);
///
/// // vec![1, 2] is not a member of the sized_domain
/// assert!(!sized_domain.member(&vec![1, 2])?);
/// # opendp::error::Fallible::Ok(())
/// ```
#[derive(Clone, PartialEq)]
pub struct VectorDomain<D: Domain> {
pub element_domain: D,
pub size: Option<usize>,
}
impl<D: Domain> Debug for VectorDomain<D> {
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), std::fmt::Error> {
let size_str = self
.size
.map(|size| format!(", size={:?}", size))
.unwrap_or_default();
write!(f, "VectorDomain({:?}{})", self.element_domain, size_str)
}
}
impl<D: Domain + Default> Default for VectorDomain<D> {
fn default() -> Self {
Self::new(D::default())
}
}
impl<D: Domain> VectorDomain<D> {
pub fn new(element_domain: D) -> Self {
VectorDomain {
element_domain,
size: None,
}
}
pub fn with_size(mut self, size: usize) -> Self {
self.size = Some(size);
self
}
pub fn without_size(mut self) -> Self {
self.size = None;
self
}
}
impl<D: Domain> Domain for VectorDomain<D> {
type Carrier = Vec<D::Carrier>;
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
for e in val {
if !self.element_domain.member(e)? {
return Ok(false);
}
}
if let Some(size) = self.size {
if size != val.len() {
return Ok(false);
}
}
Ok(true)
}
}
/// A domain that represents nullity via the Option type.
///
/// # Proof Definition
/// `OptionDomain(element_domain, D)` is the domain of all values of `element_domain` (of type `D`, a domain)
/// wrapped in `Some`, as well as `None`.
///
/// # Notes
/// This is used to represent nullity for data types like integers or strings,
/// for which all values they take on are non-null.
///
/// # Example
/// ```
/// use opendp::domains::{OptionDomain, AtomDomain};
/// let null_domain = OptionDomain::new(AtomDomain::default());
///
/// use opendp::core::Domain;
/// assert!(null_domain.member(&Some(1))?);
/// assert!(null_domain.member(&None)?);
///
/// # opendp::error::Fallible::Ok(())
/// ```
#[derive(Clone, PartialEq)]
pub struct OptionDomain<D: Domain> {
pub element_domain: D,
}
impl<D: Domain + Default> Default for OptionDomain<D> {
fn default() -> Self {
Self::new(D::default())
}
}
impl<D: Domain> OptionDomain<D> {
pub fn new(member_domain: D) -> Self {
OptionDomain {
element_domain: member_domain,
}
}
}
impl<D: Domain> Debug for OptionDomain<D> {
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), std::fmt::Error> {
write!(f, "OptionDomain({:?})", self.element_domain)
}
}
impl<D: Domain> Domain for OptionDomain<D> {
type Carrier = Option<D::Carrier>;
fn member(&self, value: &Self::Carrier) -> Fallible<bool> {
value
.as_ref()
.map(|v| self.element_domain.member(v))
.unwrap_or(Ok(true))
}
}
/// retrieves the type_name for a given type
macro_rules! type_name {
($ty:ty) => {
std::any::type_name::<$ty>()
.split("::")
.last()
.unwrap_or("")
};
}
pub(crate) use type_name;
#[cfg(feature = "contrib")]
pub use contrib::*;
#[cfg(feature = "contrib")]
mod contrib {
use super::*;
/// A Domain that contains pairs of values.
#[derive(Clone, PartialEq, Debug)]
pub struct PairDomain<D0: Domain, D1: Domain>(pub D0, pub D1);
impl<D0: Domain, D1: Domain> PairDomain<D0, D1> {
pub fn new(element_domain0: D0, element_domain1: D1) -> Self {
PairDomain(element_domain0, element_domain1)
}
}
impl<D0: Domain, D1: Domain> Domain for PairDomain<D0, D1> {
type Carrier = (D0::Carrier, D1::Carrier);
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
Ok(self.0.member(&val.0)? && self.1.member(&val.1)?)
}
}
/// A Domain that carries an underlying Domain in a Box.
#[derive(Clone, PartialEq, Debug)]
pub struct BoxDomain<D: Domain> {
element_domain: Box<D>,
}
impl<D: Domain> BoxDomain<D> {
pub fn new(element_domain: Box<D>) -> Self {
BoxDomain { element_domain }
}
}
impl<D: Domain> Domain for BoxDomain<D> {
type Carrier = Box<D::Carrier>;
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
self.element_domain.member(val)
}
}
/// A Domain that unwraps a Data wrapper.
#[derive(Clone, PartialEq, Debug)]
pub struct DataDomain<D: Domain> {
pub form_domain: D,
}
impl<D: Domain> DataDomain<D> {
pub fn new(form_domain: D) -> Self {
DataDomain { form_domain }
}
}
impl<D: Domain> Domain for DataDomain<D>
where
D::Carrier: 'static,
{
type Carrier = Box<dyn Any>;
fn member(&self, val: &Self::Carrier) -> Fallible<bool> {
let val = val
.downcast_ref::<D::Carrier>()
.ok_or_else(|| err!(FailedCast, "failed to downcast to carrier type"))?;
self.form_domain.member(val)
}
}
}