plutus_ledger_api/csl/
csl_to_pla.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
use std::{ops::Neg, str::FromStr};

use cardano_serialization_lib as csl;
use num_bigint::{BigInt, ParseBigIntError};

#[derive(Debug, Clone, thiserror::Error)]
pub enum TryFromCSLError {
    #[error("Unable to parse BigInt: {0}")]
    InvalidBigInt(ParseBigIntError),

    #[error("Unable to represent CSL value in PLA: {0}")]
    ImpossibleConversion(String),
}

/// Convert a cardano-serialization-lib type to its plutus-ledger-api counterpart
pub trait FromCSL<T> {
    fn from_csl(value: &T) -> Self
    where
        Self: Sized;
}

pub trait ToPLA<T> {
    fn to_pla(&self) -> T;
}

impl<T, U> ToPLA<U> for T
where
    U: FromCSL<T>,
{
    fn to_pla(&self) -> U {
        FromCSL::from_csl(self)
    }
}

/// Convert a cardano-serialization-lib type to its plutus-ledger-api counterpart
pub trait TryFromCSL<T> {
    fn try_from_csl(value: &T) -> Result<Self, TryFromCSLError>
    where
        Self: Sized;
}

pub trait TryToPLA<T> {
    fn try_to_pla(&self) -> Result<T, TryFromCSLError>;
}

impl<T, U> TryToPLA<U> for T
where
    U: TryFromCSL<T>,
{
    fn try_to_pla(&self) -> Result<U, TryFromCSLError> {
        TryFromCSL::try_from_csl(self)
    }
}

impl FromCSL<csl::BigNum> for BigInt {
    fn from_csl(value: &csl::BigNum) -> Self {
        let x: u64 = From::from(*value);
        BigInt::from(x)
    }
}

impl FromCSL<u32> for BigInt {
    fn from_csl(value: &u32) -> Self {
        BigInt::from(*value)
    }
}

impl TryFromCSL<csl::BigInt> for BigInt {
    fn try_from_csl(value: &csl::BigInt) -> Result<Self, TryFromCSLError> {
        BigInt::from_str(&value.to_str()).map_err(TryFromCSLError::InvalidBigInt)
    }
}

impl FromCSL<csl::Int> for BigInt {
    fn from_csl(value: &csl::Int) -> Self {
        if value.is_positive() {
            BigInt::from_csl(&value.as_positive().unwrap())
        } else {
            BigInt::from_csl(&value.as_negative().unwrap()).neg()
        }
    }
}