dpp/identity/state_transition/asset_lock_proof/
mod.rs

1use std::convert::{TryFrom, TryInto};
2
3use dashcore::{OutPoint, Transaction};
4
5use serde::{Deserialize, Deserializer, Serialize};
6
7use bincode::{Decode, Encode};
8
9pub use instant::*;
10use platform_value::Value;
11#[cfg(feature = "validation")]
12use platform_version::version::PlatformVersion;
13use serde::de::Error;
14
15use crate::identity::state_transition::asset_lock_proof::chain::ChainAssetLockProof;
16use crate::prelude::Identifier;
17#[cfg(feature = "validation")]
18use crate::validation::SimpleConsensusValidationResult;
19use crate::{ProtocolError, SerdeParsingError};
20
21pub mod chain;
22pub mod instant;
23pub mod validate_asset_lock_transaction_structure;
24
25// TODO: Serialization with bincode
26// TODO: Consider use Box for InstantAssetLockProof
27#[derive(Clone, Debug, Eq, PartialEq, Serialize, Encode, Decode)]
28#[serde(untagged)]
29#[allow(clippy::large_enum_variant)]
30pub enum AssetLockProof {
31    Instant(#[bincode(with_serde)] InstantAssetLockProof),
32    Chain(#[bincode(with_serde)] ChainAssetLockProof),
33}
34
35#[derive(Deserialize)]
36#[serde(untagged)]
37enum RawAssetLockProof {
38    Instant(RawInstantLockProof),
39    Chain(ChainAssetLockProof),
40}
41
42impl TryFrom<RawAssetLockProof> for AssetLockProof {
43    type Error = ProtocolError;
44
45    fn try_from(value: RawAssetLockProof) -> Result<Self, Self::Error> {
46        match value {
47            RawAssetLockProof::Instant(raw_instant_lock) => {
48                let instant_lock = raw_instant_lock.try_into()?;
49
50                Ok(AssetLockProof::Instant(instant_lock))
51            }
52            RawAssetLockProof::Chain(chain) => Ok(AssetLockProof::Chain(chain)),
53        }
54    }
55}
56
57impl<'de> Deserialize<'de> for AssetLockProof {
58    fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
59    where
60        D: Deserializer<'de>,
61    {
62        // Try to parse into IS Lock
63        // let maybe_is_lock = RawInstantLock::deserialize(&deserializer);
64        //
65        // if let Ok(raw_instant_lock) = maybe_is_lock {
66        //     let instant_lock = raw_instant_lock.try_into()
67        //         .map_err(|e: ProtocolError| D::Error::custom(e.to_string()))?;
68        //
69        //     return Ok(AssetLockProof::Instant(instant_lock))
70        // };
71        //
72        //
73        // ChainAssetLockProof::deserialize(deserializer)
74        //     .map(|chain| AssetLockProof::Chain(chain))
75        // // Try to parse into chain lock
76
77        let raw = RawAssetLockProof::deserialize(deserializer)?;
78        raw.try_into().map_err(|e: ProtocolError| {
79            D::Error::custom(format!(
80                "expected to be able to deserialize asset lock proof: {}",
81                e
82            ))
83        })
84    }
85}
86
87impl Default for AssetLockProof {
88    fn default() -> Self {
89        Self::Instant(InstantAssetLockProof::default())
90    }
91}
92
93impl AsRef<AssetLockProof> for AssetLockProof {
94    fn as_ref(&self) -> &AssetLockProof {
95        self
96    }
97}
98//
99// impl Serialize for AssetLockProof {
100//     fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
101//     where
102//         S: Serializer,
103//     {
104//         match self {
105//             AssetLockProof::Instant(instant_proof) => instant_proof.serialize(serializer),
106//             AssetLockProof::Chain(chain) => chain.serialize(serializer),
107//         }
108//     }
109// }
110//
111// impl<'de> Deserialize<'de> for AssetLockProof {
112//     fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
113//     where
114//         D: Deserializer<'de>,
115//     {
116//         let value = platform_value::Value::deserialize(deserializer)?;
117//
118//         let proof_type_int: u8 = value
119//             .get_integer("type")
120//             .map_err(|e| D::Error::custom(e.to_string()))?;
121//         let proof_type = AssetLockProofType::try_from(proof_type_int)
122//             .map_err(|e| D::Error::custom(e.to_string()))?;
123//
124//         match proof_type {
125//             AssetLockProofType::Instant => Ok(Self::Instant(
126//                 platform_value::from_value(value).map_err(|e| D::Error::custom(e.to_string()))?,
127//             )),
128//             AssetLockProofType::Chain => Ok(Self::Chain(
129//                 platform_value::from_value(value).map_err(|e| D::Error::custom(e.to_string()))?,
130//             )),
131//         }
132//     }
133// }
134
135pub enum AssetLockProofType {
136    Instant = 0,
137    Chain = 1,
138}
139
140impl TryFrom<u8> for AssetLockProofType {
141    type Error = SerdeParsingError;
142
143    fn try_from(value: u8) -> Result<Self, Self::Error> {
144        match value {
145            0 => Ok(Self::Instant),
146            1 => Ok(Self::Chain),
147            _ => Err(SerdeParsingError::new("Unexpected asset lock proof type")),
148        }
149    }
150}
151
152impl TryFrom<u64> for AssetLockProofType {
153    type Error = SerdeParsingError;
154
155    fn try_from(value: u64) -> Result<Self, Self::Error> {
156        match value {
157            0 => Ok(Self::Instant),
158            1 => Ok(Self::Chain),
159            _ => Err(SerdeParsingError::new("Unexpected asset lock proof type")),
160        }
161    }
162}
163
164// TODO: Versioning
165impl AssetLockProof {
166    pub fn type_from_raw_value(value: &Value) -> Option<AssetLockProofType> {
167        let proof_type_res = value.get_integer::<u8>("type");
168
169        match proof_type_res {
170            Ok(proof_type_int) => {
171                let proof_type = AssetLockProofType::try_from(proof_type_int);
172                proof_type.ok()
173            }
174            Err(_) => None,
175        }
176    }
177
178    pub fn create_identifier(&self) -> Result<Identifier, ProtocolError> {
179        match self {
180            AssetLockProof::Instant(instant_proof) => instant_proof.create_identifier(),
181            AssetLockProof::Chain(chain_proof) => Ok(chain_proof.create_identifier()),
182        }
183    }
184
185    pub fn output_index(&self) -> u32 {
186        match self {
187            AssetLockProof::Instant(proof) => proof.output_index(),
188            AssetLockProof::Chain(proof) => proof.out_point.vout,
189        }
190    }
191
192    pub fn out_point(&self) -> Option<OutPoint> {
193        match self {
194            AssetLockProof::Instant(proof) => proof.out_point(),
195            AssetLockProof::Chain(proof) => Some(proof.out_point),
196        }
197    }
198
199    pub fn transaction(&self) -> Option<&Transaction> {
200        match self {
201            AssetLockProof::Instant(is_lock) => Some(is_lock.transaction()),
202            AssetLockProof::Chain(_chain_lock) => None,
203        }
204    }
205
206    pub fn to_raw_object(&self) -> Result<Value, ProtocolError> {
207        match self {
208            AssetLockProof::Instant(is) => {
209                platform_value::to_value(is).map_err(ProtocolError::ValueError)
210            }
211            AssetLockProof::Chain(cl) => {
212                platform_value::to_value(cl).map_err(ProtocolError::ValueError)
213            }
214        }
215    }
216
217    /// Validate the structure of the asset lock proof
218    #[cfg(feature = "validation")]
219    pub fn validate_structure(
220        &self,
221        platform_version: &PlatformVersion,
222    ) -> Result<SimpleConsensusValidationResult, ProtocolError> {
223        match self {
224            AssetLockProof::Instant(proof) => proof.validate_structure(platform_version),
225            AssetLockProof::Chain(_) => Ok(SimpleConsensusValidationResult::default()),
226        }
227    }
228}
229
230impl TryFrom<&Value> for AssetLockProof {
231    type Error = ProtocolError;
232
233    fn try_from(value: &Value) -> Result<Self, Self::Error> {
234        //this is a complete hack for the moment
235        //todo: replace with
236        //  from_value(value.clone()).map_err(ProtocolError::ValueError)
237        let proof_type_int: Option<u8> = value
238            .get_optional_integer("type")
239            .map_err(ProtocolError::ValueError)?;
240        if let Some(proof_type_int) = proof_type_int {
241            let proof_type = AssetLockProofType::try_from(proof_type_int)?;
242
243            match proof_type {
244                AssetLockProofType::Instant => Ok(Self::Instant(value.clone().try_into()?)),
245                AssetLockProofType::Chain => Ok(Self::Chain(value.clone().try_into()?)),
246            }
247        } else {
248            let map = value.as_map().ok_or(ProtocolError::DecodingError(
249                "error decoding asset lock proof".to_string(),
250            ))?;
251            let (key, asset_lock_value) = map.first().ok_or(ProtocolError::DecodingError(
252                "error decoding asset lock proof as it was empty".to_string(),
253            ))?;
254            match key.as_str().ok_or(ProtocolError::DecodingError(
255                "error decoding asset lock proof".to_string(),
256            ))? {
257                "Instant" => Ok(Self::Instant(asset_lock_value.clone().try_into()?)),
258                "Chain" => Ok(Self::Chain(asset_lock_value.clone().try_into()?)),
259                _ => Err(ProtocolError::DecodingError(
260                    "error decoding asset lock proof".to_string(),
261                )),
262            }
263        }
264    }
265}
266
267impl TryFrom<Value> for AssetLockProof {
268    type Error = ProtocolError;
269
270    fn try_from(value: Value) -> Result<Self, Self::Error> {
271        let proof_type_int: Option<u8> = value
272            .get_optional_integer("type")
273            .map_err(ProtocolError::ValueError)?;
274        if let Some(proof_type_int) = proof_type_int {
275            let proof_type = AssetLockProofType::try_from(proof_type_int)?;
276
277            match proof_type {
278                AssetLockProofType::Instant => Ok(Self::Instant(value.try_into()?)),
279                AssetLockProofType::Chain => Ok(Self::Chain(value.try_into()?)),
280            }
281        } else {
282            let map = value.as_map().ok_or(ProtocolError::DecodingError(
283                "error decoding asset lock proof".to_string(),
284            ))?;
285            let (key, asset_lock_value) = map.first().ok_or(ProtocolError::DecodingError(
286                "error decoding asset lock proof as it was empty".to_string(),
287            ))?;
288            match key.as_str().ok_or(ProtocolError::DecodingError(
289                "error decoding asset lock proof".to_string(),
290            ))? {
291                "Instant" => Ok(Self::Instant(asset_lock_value.clone().try_into()?)),
292                "Chain" => Ok(Self::Chain(asset_lock_value.clone().try_into()?)),
293                _ => Err(ProtocolError::DecodingError(
294                    "error decoding asset lock proof".to_string(),
295                )),
296            }
297        }
298    }
299}
300
301impl TryInto<Value> for AssetLockProof {
302    type Error = ProtocolError;
303
304    fn try_into(self) -> Result<Value, Self::Error> {
305        match self {
306            AssetLockProof::Instant(instant_proof) => {
307                platform_value::to_value(instant_proof).map_err(ProtocolError::ValueError)
308            }
309            AssetLockProof::Chain(chain_proof) => {
310                platform_value::to_value(chain_proof).map_err(ProtocolError::ValueError)
311            }
312        }
313    }
314}
315
316impl TryInto<Value> for &AssetLockProof {
317    type Error = ProtocolError;
318
319    fn try_into(self) -> Result<Value, Self::Error> {
320        match self {
321            AssetLockProof::Instant(instant_proof) => {
322                platform_value::to_value(instant_proof).map_err(ProtocolError::ValueError)
323            }
324            AssetLockProof::Chain(chain_proof) => {
325                platform_value::to_value(chain_proof).map_err(ProtocolError::ValueError)
326            }
327        }
328    }
329}