mod.rs 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767
  1. //! NUT-00: Notation and Models
  2. //!
  3. //! <https://github.com/cashubtc/nuts/blob/main/00.md>
  4. use std::cmp::Ordering;
  5. use std::fmt;
  6. use std::hash::{Hash, Hasher};
  7. use std::str::FromStr;
  8. use std::string::FromUtf8Error;
  9. use serde::{de, Deserialize, Deserializer, Serialize};
  10. use thiserror::Error;
  11. use super::nut10;
  12. use super::nut11::SpendingConditions;
  13. use crate::amount::SplitTarget;
  14. use crate::dhke::{blind_message, hash_to_curve};
  15. use crate::nuts::nut01::{PublicKey, SecretKey};
  16. use crate::nuts::nut11::{serde_p2pk_witness, P2PKWitness};
  17. use crate::nuts::nut12::BlindSignatureDleq;
  18. use crate::nuts::nut14::{serde_htlc_witness, HTLCWitness};
  19. use crate::nuts::{Id, ProofDleq};
  20. use crate::secret::Secret;
  21. use crate::Amount;
  22. pub mod token;
  23. pub use token::{Token, TokenV3, TokenV4};
  24. /// List of [Proof]
  25. pub type Proofs = Vec<Proof>;
  26. /// Utility methods for [Proofs]
  27. pub trait ProofsMethods {
  28. /// Try to sum up the amounts of all [Proof]s
  29. fn total_amount(&self) -> Result<Amount, Error>;
  30. /// Try to fetch the pubkeys of all [Proof]s
  31. fn ys(&self) -> Result<Vec<PublicKey>, Error>;
  32. }
  33. impl ProofsMethods for Proofs {
  34. fn total_amount(&self) -> Result<Amount, Error> {
  35. Amount::try_sum(self.iter().map(|p| p.amount)).map_err(Into::into)
  36. }
  37. fn ys(&self) -> Result<Vec<PublicKey>, Error> {
  38. self.iter()
  39. .map(|p| p.y())
  40. .collect::<Result<Vec<PublicKey>, _>>()
  41. }
  42. }
  43. /// NUT00 Error
  44. #[derive(Debug, Error)]
  45. pub enum Error {
  46. /// Proofs required
  47. #[error("Proofs required in token")]
  48. ProofsRequired,
  49. /// Unsupported token
  50. #[error("Unsupported token")]
  51. UnsupportedToken,
  52. /// Unsupported token
  53. #[error("Unsupported unit")]
  54. UnsupportedUnit,
  55. /// Unsupported token
  56. #[error("Unsupported payment method")]
  57. UnsupportedPaymentMethod,
  58. /// Serde Json error
  59. #[error(transparent)]
  60. SerdeJsonError(#[from] serde_json::Error),
  61. /// Utf8 parse error
  62. #[error(transparent)]
  63. Utf8ParseError(#[from] FromUtf8Error),
  64. /// Base64 error
  65. #[error(transparent)]
  66. Base64Error(#[from] bitcoin::base64::DecodeError),
  67. /// Ciborium deserialization error
  68. #[error(transparent)]
  69. CiboriumError(#[from] ciborium::de::Error<std::io::Error>),
  70. /// Ciborium serialization error
  71. #[error(transparent)]
  72. CiboriumSerError(#[from] ciborium::ser::Error<std::io::Error>),
  73. /// Amount Error
  74. #[error(transparent)]
  75. Amount(#[from] crate::amount::Error),
  76. /// Secret error
  77. #[error(transparent)]
  78. Secret(#[from] crate::secret::Error),
  79. /// DHKE error
  80. #[error(transparent)]
  81. DHKE(#[from] crate::dhke::Error),
  82. /// NUT10 error
  83. #[error(transparent)]
  84. NUT10(#[from] crate::nuts::nut10::Error),
  85. /// NUT11 error
  86. #[error(transparent)]
  87. NUT11(#[from] crate::nuts::nut11::Error),
  88. }
  89. /// Blinded Message (also called `output`)
  90. #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
  91. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  92. pub struct BlindedMessage {
  93. /// Amount
  94. ///
  95. /// The value for the requested [BlindSignature]
  96. pub amount: Amount,
  97. /// Keyset ID
  98. ///
  99. /// ID from which we expect a signature.
  100. #[serde(rename = "id")]
  101. pub keyset_id: Id,
  102. /// Blinded secret message (B_)
  103. ///
  104. /// The blinded secret message generated by the sender.
  105. #[serde(rename = "B_")]
  106. #[cfg_attr(feature = "swagger", schema(value_type = String))]
  107. pub blinded_secret: PublicKey,
  108. /// Witness
  109. ///
  110. /// <https://github.com/cashubtc/nuts/blob/main/11.md>
  111. #[serde(skip_serializing_if = "Option::is_none")]
  112. pub witness: Option<Witness>,
  113. }
  114. impl BlindedMessage {
  115. /// Compose new blinded message
  116. #[inline]
  117. pub fn new(amount: Amount, keyset_id: Id, blinded_secret: PublicKey) -> Self {
  118. Self {
  119. amount,
  120. keyset_id,
  121. blinded_secret,
  122. witness: None,
  123. }
  124. }
  125. /// Add witness
  126. #[inline]
  127. pub fn witness(&mut self, witness: Witness) {
  128. self.witness = Some(witness);
  129. }
  130. }
  131. /// Blind Signature (also called `promise`)
  132. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  133. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  134. pub struct BlindSignature {
  135. /// Amount
  136. ///
  137. /// The value of the blinded token.
  138. pub amount: Amount,
  139. /// Keyset ID
  140. ///
  141. /// ID of the mint keys that signed the token.
  142. #[serde(rename = "id")]
  143. pub keyset_id: Id,
  144. /// Blinded signature (C_)
  145. ///
  146. /// The blinded signature on the secret message `B_` of [BlindedMessage].
  147. #[serde(rename = "C_")]
  148. #[cfg_attr(feature = "swagger", schema(value_type = String))]
  149. pub c: PublicKey,
  150. /// DLEQ Proof
  151. ///
  152. /// <https://github.com/cashubtc/nuts/blob/main/12.md>
  153. #[serde(skip_serializing_if = "Option::is_none")]
  154. pub dleq: Option<BlindSignatureDleq>,
  155. }
  156. impl Ord for BlindSignature {
  157. fn cmp(&self, other: &Self) -> Ordering {
  158. self.amount.cmp(&other.amount)
  159. }
  160. }
  161. impl PartialOrd for BlindSignature {
  162. fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
  163. Some(self.cmp(other))
  164. }
  165. }
  166. /// Witness
  167. #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
  168. #[serde(untagged)]
  169. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  170. pub enum Witness {
  171. /// P2PK Witness
  172. #[serde(with = "serde_p2pk_witness")]
  173. P2PKWitness(P2PKWitness),
  174. /// HTLC Witness
  175. #[serde(with = "serde_htlc_witness")]
  176. HTLCWitness(HTLCWitness),
  177. }
  178. impl Witness {
  179. /// Add signatures to [`Witness`]
  180. pub fn add_signatures(&mut self, signatues: Vec<String>) {
  181. match self {
  182. Self::P2PKWitness(p2pk_witness) => p2pk_witness.signatures.extend(signatues),
  183. Self::HTLCWitness(htlc_witness) => {
  184. htlc_witness.signatures = htlc_witness.signatures.clone().map(|sigs| {
  185. let mut sigs = sigs;
  186. sigs.extend(signatues);
  187. sigs
  188. });
  189. }
  190. }
  191. }
  192. /// Get signatures on [`Witness`]
  193. pub fn signatures(&self) -> Option<Vec<String>> {
  194. match self {
  195. Self::P2PKWitness(witness) => Some(witness.signatures.clone()),
  196. Self::HTLCWitness(witness) => witness.signatures.clone(),
  197. }
  198. }
  199. /// Get preimage from [`Witness`]
  200. pub fn preimage(&self) -> Option<String> {
  201. match self {
  202. Self::P2PKWitness(_witness) => None,
  203. Self::HTLCWitness(witness) => Some(witness.preimage.clone()),
  204. }
  205. }
  206. }
  207. /// Proofs
  208. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  209. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  210. pub struct Proof {
  211. /// Amount
  212. pub amount: Amount,
  213. /// `Keyset id`
  214. #[serde(rename = "id")]
  215. pub keyset_id: Id,
  216. /// Secret message
  217. #[cfg_attr(feature = "swagger", schema(value_type = String))]
  218. pub secret: Secret,
  219. /// Unblinded signature
  220. #[serde(rename = "C")]
  221. #[cfg_attr(feature = "swagger", schema(value_type = String))]
  222. pub c: PublicKey,
  223. /// Witness
  224. #[serde(skip_serializing_if = "Option::is_none")]
  225. pub witness: Option<Witness>,
  226. /// DLEQ Proof
  227. #[serde(skip_serializing_if = "Option::is_none")]
  228. pub dleq: Option<ProofDleq>,
  229. }
  230. impl Proof {
  231. /// Create new [`Proof`]
  232. pub fn new(amount: Amount, keyset_id: Id, secret: Secret, c: PublicKey) -> Self {
  233. Proof {
  234. amount,
  235. keyset_id,
  236. secret,
  237. c,
  238. witness: None,
  239. dleq: None,
  240. }
  241. }
  242. /// Get y from proof
  243. ///
  244. /// Where y is `hash_to_curve(secret)`
  245. pub fn y(&self) -> Result<PublicKey, Error> {
  246. Ok(hash_to_curve(self.secret.as_bytes())?)
  247. }
  248. }
  249. impl Hash for Proof {
  250. fn hash<H: Hasher>(&self, state: &mut H) {
  251. self.secret.hash(state);
  252. }
  253. }
  254. impl Ord for Proof {
  255. fn cmp(&self, other: &Self) -> std::cmp::Ordering {
  256. self.amount.cmp(&other.amount)
  257. }
  258. }
  259. impl PartialOrd for Proof {
  260. fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
  261. Some(self.cmp(other))
  262. }
  263. }
  264. /// Proof V4
  265. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  266. pub struct ProofV4 {
  267. /// Amount in satoshi
  268. #[serde(rename = "a")]
  269. pub amount: Amount,
  270. /// Secret message
  271. #[serde(rename = "s")]
  272. pub secret: Secret,
  273. /// Unblinded signature
  274. #[serde(
  275. serialize_with = "serialize_v4_pubkey",
  276. deserialize_with = "deserialize_v4_pubkey"
  277. )]
  278. pub c: PublicKey,
  279. /// Witness
  280. #[serde(default)]
  281. #[serde(skip_serializing_if = "Option::is_none")]
  282. pub witness: Option<Witness>,
  283. /// DLEQ Proof
  284. #[serde(rename = "d")]
  285. pub dleq: Option<ProofDleq>,
  286. }
  287. impl ProofV4 {
  288. /// [`ProofV4`] into [`Proof`]
  289. pub fn into_proof(&self, keyset_id: &Id) -> Proof {
  290. Proof {
  291. amount: self.amount,
  292. keyset_id: *keyset_id,
  293. secret: self.secret.clone(),
  294. c: self.c,
  295. witness: self.witness.clone(),
  296. dleq: self.dleq.clone(),
  297. }
  298. }
  299. }
  300. impl From<Proof> for ProofV4 {
  301. fn from(proof: Proof) -> ProofV4 {
  302. let Proof {
  303. amount,
  304. keyset_id: _,
  305. secret,
  306. c,
  307. witness,
  308. dleq,
  309. } = proof;
  310. ProofV4 {
  311. amount,
  312. secret,
  313. c,
  314. witness,
  315. dleq,
  316. }
  317. }
  318. }
  319. fn serialize_v4_pubkey<S>(key: &PublicKey, serializer: S) -> Result<S::Ok, S::Error>
  320. where
  321. S: serde::Serializer,
  322. {
  323. serializer.serialize_bytes(&key.to_bytes())
  324. }
  325. fn deserialize_v4_pubkey<'de, D>(deserializer: D) -> Result<PublicKey, D::Error>
  326. where
  327. D: serde::Deserializer<'de>,
  328. {
  329. let bytes = Vec::<u8>::deserialize(deserializer)?;
  330. PublicKey::from_slice(&bytes).map_err(serde::de::Error::custom)
  331. }
  332. /// Currency Unit
  333. #[non_exhaustive]
  334. #[derive(Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Default)]
  335. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  336. pub enum CurrencyUnit {
  337. /// Sat
  338. #[default]
  339. Sat,
  340. /// Msat
  341. Msat,
  342. /// Usd
  343. Usd,
  344. /// Euro
  345. Eur,
  346. /// Custom currency unit
  347. Custom(String),
  348. }
  349. impl CurrencyUnit {
  350. /// Derivation index mint will use for unit
  351. pub fn derivation_index(&self) -> Option<u32> {
  352. match self {
  353. Self::Sat => Some(0),
  354. Self::Msat => Some(1),
  355. Self::Usd => Some(2),
  356. Self::Eur => Some(3),
  357. _ => None,
  358. }
  359. }
  360. }
  361. impl FromStr for CurrencyUnit {
  362. type Err = Error;
  363. fn from_str(value: &str) -> Result<Self, Self::Err> {
  364. let value = &value.to_uppercase();
  365. match value.as_str() {
  366. "SAT" => Ok(Self::Sat),
  367. "MSAT" => Ok(Self::Msat),
  368. "USD" => Ok(Self::Usd),
  369. "EUR" => Ok(Self::Eur),
  370. c => Ok(Self::Custom(c.to_string())),
  371. }
  372. }
  373. }
  374. impl fmt::Display for CurrencyUnit {
  375. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  376. let s = match self {
  377. CurrencyUnit::Sat => "SAT",
  378. CurrencyUnit::Msat => "MSAT",
  379. CurrencyUnit::Usd => "USD",
  380. CurrencyUnit::Eur => "EUR",
  381. CurrencyUnit::Custom(unit) => unit,
  382. };
  383. if let Some(width) = f.width() {
  384. write!(f, "{:width$}", s.to_lowercase(), width = width)
  385. } else {
  386. write!(f, "{}", s.to_lowercase())
  387. }
  388. }
  389. }
  390. impl Serialize for CurrencyUnit {
  391. fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
  392. where
  393. S: serde::Serializer,
  394. {
  395. serializer.serialize_str(&self.to_string())
  396. }
  397. }
  398. impl<'de> Deserialize<'de> for CurrencyUnit {
  399. fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
  400. where
  401. D: Deserializer<'de>,
  402. {
  403. let currency: String = String::deserialize(deserializer)?;
  404. Self::from_str(&currency).map_err(|_| serde::de::Error::custom("Unsupported unit"))
  405. }
  406. }
  407. /// Payment Method
  408. #[non_exhaustive]
  409. #[derive(Debug, Clone, Copy, Default, PartialEq, Eq, Hash)]
  410. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  411. pub enum PaymentMethod {
  412. /// Bolt11 payment type
  413. #[default]
  414. Bolt11,
  415. }
  416. impl FromStr for PaymentMethod {
  417. type Err = Error;
  418. fn from_str(value: &str) -> Result<Self, Self::Err> {
  419. match value {
  420. "bolt11" => Ok(Self::Bolt11),
  421. _ => Err(Error::UnsupportedPaymentMethod),
  422. }
  423. }
  424. }
  425. impl fmt::Display for PaymentMethod {
  426. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  427. match self {
  428. PaymentMethod::Bolt11 => write!(f, "bolt11"),
  429. }
  430. }
  431. }
  432. impl Serialize for PaymentMethod {
  433. fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
  434. where
  435. S: serde::Serializer,
  436. {
  437. serializer.serialize_str(&self.to_string())
  438. }
  439. }
  440. impl<'de> Deserialize<'de> for PaymentMethod {
  441. fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
  442. where
  443. D: Deserializer<'de>,
  444. {
  445. let payment_method: String = String::deserialize(deserializer)?;
  446. Self::from_str(&payment_method).map_err(|_| de::Error::custom("Unsupported payment method"))
  447. }
  448. }
  449. /// PreMint
  450. #[derive(Debug, Clone, PartialEq, Eq, Serialize)]
  451. pub struct PreMint {
  452. /// Blinded message
  453. pub blinded_message: BlindedMessage,
  454. /// Secret
  455. pub secret: Secret,
  456. /// R
  457. pub r: SecretKey,
  458. /// Amount
  459. pub amount: Amount,
  460. }
  461. impl Ord for PreMint {
  462. fn cmp(&self, other: &Self) -> std::cmp::Ordering {
  463. self.amount.cmp(&other.amount)
  464. }
  465. }
  466. impl PartialOrd for PreMint {
  467. fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
  468. Some(self.cmp(other))
  469. }
  470. }
  471. /// Premint Secrets
  472. #[derive(Debug, Clone, PartialEq, Eq, Serialize)]
  473. pub struct PreMintSecrets {
  474. /// Secrets
  475. pub secrets: Vec<PreMint>,
  476. /// Keyset Id
  477. pub keyset_id: Id,
  478. }
  479. impl PreMintSecrets {
  480. /// Create new [`PreMintSecrets`]
  481. pub fn new(keyset_id: Id) -> Self {
  482. Self {
  483. secrets: Vec::new(),
  484. keyset_id,
  485. }
  486. }
  487. /// Outputs for speceifed amount with random secret
  488. pub fn random(
  489. keyset_id: Id,
  490. amount: Amount,
  491. amount_split_target: &SplitTarget,
  492. ) -> Result<Self, Error> {
  493. let amount_split = amount.split_targeted(amount_split_target)?;
  494. let mut output = Vec::with_capacity(amount_split.len());
  495. for amount in amount_split {
  496. let secret = Secret::generate();
  497. let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
  498. let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
  499. output.push(PreMint {
  500. secret,
  501. blinded_message,
  502. r,
  503. amount,
  504. });
  505. }
  506. Ok(PreMintSecrets {
  507. secrets: output,
  508. keyset_id,
  509. })
  510. }
  511. /// Outputs from pre defined secrets
  512. pub fn from_secrets(
  513. keyset_id: Id,
  514. amounts: Vec<Amount>,
  515. secrets: Vec<Secret>,
  516. ) -> Result<Self, Error> {
  517. let mut output = Vec::with_capacity(secrets.len());
  518. for (secret, amount) in secrets.into_iter().zip(amounts) {
  519. let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
  520. let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
  521. output.push(PreMint {
  522. secret,
  523. blinded_message,
  524. r,
  525. amount,
  526. });
  527. }
  528. Ok(PreMintSecrets {
  529. secrets: output,
  530. keyset_id,
  531. })
  532. }
  533. /// Blank Outputs used for NUT-08 change
  534. pub fn blank(keyset_id: Id, fee_reserve: Amount) -> Result<Self, Error> {
  535. let count = ((u64::from(fee_reserve) as f64).log2().ceil() as u64).max(1);
  536. let mut output = Vec::with_capacity(count as usize);
  537. for _i in 0..count {
  538. let secret = Secret::generate();
  539. let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
  540. let blinded_message = BlindedMessage::new(Amount::ZERO, keyset_id, blinded);
  541. output.push(PreMint {
  542. secret,
  543. blinded_message,
  544. r,
  545. amount: Amount::ZERO,
  546. })
  547. }
  548. Ok(PreMintSecrets {
  549. secrets: output,
  550. keyset_id,
  551. })
  552. }
  553. /// Outputs with specific spending conditions
  554. pub fn with_conditions(
  555. keyset_id: Id,
  556. amount: Amount,
  557. amount_split_target: &SplitTarget,
  558. conditions: &SpendingConditions,
  559. ) -> Result<Self, Error> {
  560. let amount_split = amount.split_targeted(amount_split_target)?;
  561. let mut output = Vec::with_capacity(amount_split.len());
  562. for amount in amount_split {
  563. let secret: nut10::Secret = conditions.clone().into();
  564. let secret: Secret = secret.try_into()?;
  565. let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
  566. let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
  567. output.push(PreMint {
  568. secret,
  569. blinded_message,
  570. r,
  571. amount,
  572. });
  573. }
  574. Ok(PreMintSecrets {
  575. secrets: output,
  576. keyset_id,
  577. })
  578. }
  579. /// Iterate over secrets
  580. #[inline]
  581. pub fn iter(&self) -> impl Iterator<Item = &PreMint> {
  582. self.secrets.iter()
  583. }
  584. /// Length of secrets
  585. #[inline]
  586. pub fn len(&self) -> usize {
  587. self.secrets.len()
  588. }
  589. /// If secrets is empty
  590. #[inline]
  591. pub fn is_empty(&self) -> bool {
  592. self.secrets.is_empty()
  593. }
  594. /// Totoal amount of secrets
  595. pub fn total_amount(&self) -> Result<Amount, Error> {
  596. Ok(Amount::try_sum(
  597. self.secrets.iter().map(|PreMint { amount, .. }| *amount),
  598. )?)
  599. }
  600. /// [`BlindedMessage`]s from [`PreMintSecrets`]
  601. #[inline]
  602. pub fn blinded_messages(&self) -> Vec<BlindedMessage> {
  603. self.iter().map(|pm| pm.blinded_message.clone()).collect()
  604. }
  605. /// [`Secret`]s from [`PreMintSecrets`]
  606. #[inline]
  607. pub fn secrets(&self) -> Vec<Secret> {
  608. self.iter().map(|pm| pm.secret.clone()).collect()
  609. }
  610. /// Blinding factor from [`PreMintSecrets`]
  611. #[inline]
  612. pub fn rs(&self) -> Vec<SecretKey> {
  613. self.iter().map(|pm| pm.r.clone()).collect()
  614. }
  615. /// Amounts from [`PreMintSecrets`]
  616. #[inline]
  617. pub fn amounts(&self) -> Vec<Amount> {
  618. self.iter().map(|pm| pm.amount).collect()
  619. }
  620. /// Combine [`PreMintSecrets`]
  621. #[inline]
  622. pub fn combine(&mut self, mut other: Self) {
  623. self.secrets.append(&mut other.secrets)
  624. }
  625. /// Sort [`PreMintSecrets`] by [`Amount`]
  626. #[inline]
  627. pub fn sort_secrets(&mut self) {
  628. self.secrets.sort();
  629. }
  630. }
  631. // Implement Iterator for PreMintSecrets
  632. impl Iterator for PreMintSecrets {
  633. type Item = PreMint;
  634. fn next(&mut self) -> Option<Self::Item> {
  635. // Use the iterator of the vector
  636. self.secrets.pop()
  637. }
  638. }
  639. impl Ord for PreMintSecrets {
  640. fn cmp(&self, other: &Self) -> Ordering {
  641. self.secrets.cmp(&other.secrets)
  642. }
  643. }
  644. impl PartialOrd for PreMintSecrets {
  645. fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
  646. Some(self.cmp(other))
  647. }
  648. }
  649. #[cfg(test)]
  650. mod tests {
  651. use std::str::FromStr;
  652. use super::*;
  653. #[test]
  654. fn test_proof_serialize() {
  655. let proof = "[{\"id\":\"009a1f293253e41e\",\"amount\":2,\"secret\":\"407915bc212be61a77e3e6d2aeb4c727980bda51cd06a6afc29e2861768a7837\",\"C\":\"02bc9097997d81afb2cc7346b5e4345a9346bd2a506eb7958598a72f0cf85163ea\"},{\"id\":\"009a1f293253e41e\",\"amount\":8,\"secret\":\"fe15109314e61d7756b0f8ee0f23a624acaa3f4e042f61433c728c7057b931be\",\"C\":\"029e8e5050b890a7d6c0968db16bc1d5d5fa040ea1de284f6ec69d61299f671059\"}]";
  656. let proof: Proofs = serde_json::from_str(proof).unwrap();
  657. assert_eq!(
  658. proof[0].clone().keyset_id,
  659. Id::from_str("009a1f293253e41e").unwrap()
  660. );
  661. assert_eq!(proof.len(), 2);
  662. }
  663. #[test]
  664. fn test_blank_blinded_messages() {
  665. let b = PreMintSecrets::blank(
  666. Id::from_str("009a1f293253e41e").unwrap(),
  667. Amount::from(1000),
  668. )
  669. .unwrap();
  670. assert_eq!(b.len(), 10);
  671. let b = PreMintSecrets::blank(Id::from_str("009a1f293253e41e").unwrap(), Amount::from(1))
  672. .unwrap();
  673. assert_eq!(b.len(), 1);
  674. }
  675. }