123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767 |
- //! NUT-00: Notation and Models
- //!
- //! <https://github.com/cashubtc/nuts/blob/main/00.md>
- use std::cmp::Ordering;
- use std::fmt;
- use std::hash::{Hash, Hasher};
- use std::str::FromStr;
- use std::string::FromUtf8Error;
- use serde::{de, Deserialize, Deserializer, Serialize};
- use thiserror::Error;
- use super::nut10;
- use super::nut11::SpendingConditions;
- use crate::amount::SplitTarget;
- use crate::dhke::{blind_message, hash_to_curve};
- use crate::nuts::nut01::{PublicKey, SecretKey};
- use crate::nuts::nut11::{serde_p2pk_witness, P2PKWitness};
- use crate::nuts::nut12::BlindSignatureDleq;
- use crate::nuts::nut14::{serde_htlc_witness, HTLCWitness};
- use crate::nuts::{Id, ProofDleq};
- use crate::secret::Secret;
- use crate::Amount;
- pub mod token;
- pub use token::{Token, TokenV3, TokenV4};
- /// List of [Proof]
- pub type Proofs = Vec<Proof>;
- /// Utility methods for [Proofs]
- pub trait ProofsMethods {
- /// Try to sum up the amounts of all [Proof]s
- fn total_amount(&self) -> Result<Amount, Error>;
- /// Try to fetch the pubkeys of all [Proof]s
- fn ys(&self) -> Result<Vec<PublicKey>, Error>;
- }
- impl ProofsMethods for Proofs {
- fn total_amount(&self) -> Result<Amount, Error> {
- Amount::try_sum(self.iter().map(|p| p.amount)).map_err(Into::into)
- }
- fn ys(&self) -> Result<Vec<PublicKey>, Error> {
- self.iter()
- .map(|p| p.y())
- .collect::<Result<Vec<PublicKey>, _>>()
- }
- }
- /// NUT00 Error
- #[derive(Debug, Error)]
- pub enum Error {
- /// Proofs required
- #[error("Proofs required in token")]
- ProofsRequired,
- /// Unsupported token
- #[error("Unsupported token")]
- UnsupportedToken,
- /// Unsupported token
- #[error("Unsupported unit")]
- UnsupportedUnit,
- /// Unsupported token
- #[error("Unsupported payment method")]
- UnsupportedPaymentMethod,
- /// Serde Json error
- #[error(transparent)]
- SerdeJsonError(#[from] serde_json::Error),
- /// Utf8 parse error
- #[error(transparent)]
- Utf8ParseError(#[from] FromUtf8Error),
- /// Base64 error
- #[error(transparent)]
- Base64Error(#[from] bitcoin::base64::DecodeError),
- /// Ciborium deserialization error
- #[error(transparent)]
- CiboriumError(#[from] ciborium::de::Error<std::io::Error>),
- /// Ciborium serialization error
- #[error(transparent)]
- CiboriumSerError(#[from] ciborium::ser::Error<std::io::Error>),
- /// Amount Error
- #[error(transparent)]
- Amount(#[from] crate::amount::Error),
- /// Secret error
- #[error(transparent)]
- Secret(#[from] crate::secret::Error),
- /// DHKE error
- #[error(transparent)]
- DHKE(#[from] crate::dhke::Error),
- /// NUT10 error
- #[error(transparent)]
- NUT10(#[from] crate::nuts::nut10::Error),
- /// NUT11 error
- #[error(transparent)]
- NUT11(#[from] crate::nuts::nut11::Error),
- }
- /// Blinded Message (also called `output`)
- #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub struct BlindedMessage {
- /// Amount
- ///
- /// The value for the requested [BlindSignature]
- pub amount: Amount,
- /// Keyset ID
- ///
- /// ID from which we expect a signature.
- #[serde(rename = "id")]
- pub keyset_id: Id,
- /// Blinded secret message (B_)
- ///
- /// The blinded secret message generated by the sender.
- #[serde(rename = "B_")]
- #[cfg_attr(feature = "swagger", schema(value_type = String))]
- pub blinded_secret: PublicKey,
- /// Witness
- ///
- /// <https://github.com/cashubtc/nuts/blob/main/11.md>
- #[serde(skip_serializing_if = "Option::is_none")]
- pub witness: Option<Witness>,
- }
- impl BlindedMessage {
- /// Compose new blinded message
- #[inline]
- pub fn new(amount: Amount, keyset_id: Id, blinded_secret: PublicKey) -> Self {
- Self {
- amount,
- keyset_id,
- blinded_secret,
- witness: None,
- }
- }
- /// Add witness
- #[inline]
- pub fn witness(&mut self, witness: Witness) {
- self.witness = Some(witness);
- }
- }
- /// Blind Signature (also called `promise`)
- #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub struct BlindSignature {
- /// Amount
- ///
- /// The value of the blinded token.
- pub amount: Amount,
- /// Keyset ID
- ///
- /// ID of the mint keys that signed the token.
- #[serde(rename = "id")]
- pub keyset_id: Id,
- /// Blinded signature (C_)
- ///
- /// The blinded signature on the secret message `B_` of [BlindedMessage].
- #[serde(rename = "C_")]
- #[cfg_attr(feature = "swagger", schema(value_type = String))]
- pub c: PublicKey,
- /// DLEQ Proof
- ///
- /// <https://github.com/cashubtc/nuts/blob/main/12.md>
- #[serde(skip_serializing_if = "Option::is_none")]
- pub dleq: Option<BlindSignatureDleq>,
- }
- impl Ord for BlindSignature {
- fn cmp(&self, other: &Self) -> Ordering {
- self.amount.cmp(&other.amount)
- }
- }
- impl PartialOrd for BlindSignature {
- fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
- Some(self.cmp(other))
- }
- }
- /// Witness
- #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
- #[serde(untagged)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub enum Witness {
- /// P2PK Witness
- #[serde(with = "serde_p2pk_witness")]
- P2PKWitness(P2PKWitness),
- /// HTLC Witness
- #[serde(with = "serde_htlc_witness")]
- HTLCWitness(HTLCWitness),
- }
- impl Witness {
- /// Add signatures to [`Witness`]
- pub fn add_signatures(&mut self, signatues: Vec<String>) {
- match self {
- Self::P2PKWitness(p2pk_witness) => p2pk_witness.signatures.extend(signatues),
- Self::HTLCWitness(htlc_witness) => {
- htlc_witness.signatures = htlc_witness.signatures.clone().map(|sigs| {
- let mut sigs = sigs;
- sigs.extend(signatues);
- sigs
- });
- }
- }
- }
- /// Get signatures on [`Witness`]
- pub fn signatures(&self) -> Option<Vec<String>> {
- match self {
- Self::P2PKWitness(witness) => Some(witness.signatures.clone()),
- Self::HTLCWitness(witness) => witness.signatures.clone(),
- }
- }
- /// Get preimage from [`Witness`]
- pub fn preimage(&self) -> Option<String> {
- match self {
- Self::P2PKWitness(_witness) => None,
- Self::HTLCWitness(witness) => Some(witness.preimage.clone()),
- }
- }
- }
- /// Proofs
- #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub struct Proof {
- /// Amount
- pub amount: Amount,
- /// `Keyset id`
- #[serde(rename = "id")]
- pub keyset_id: Id,
- /// Secret message
- #[cfg_attr(feature = "swagger", schema(value_type = String))]
- pub secret: Secret,
- /// Unblinded signature
- #[serde(rename = "C")]
- #[cfg_attr(feature = "swagger", schema(value_type = String))]
- pub c: PublicKey,
- /// Witness
- #[serde(skip_serializing_if = "Option::is_none")]
- pub witness: Option<Witness>,
- /// DLEQ Proof
- #[serde(skip_serializing_if = "Option::is_none")]
- pub dleq: Option<ProofDleq>,
- }
- impl Proof {
- /// Create new [`Proof`]
- pub fn new(amount: Amount, keyset_id: Id, secret: Secret, c: PublicKey) -> Self {
- Proof {
- amount,
- keyset_id,
- secret,
- c,
- witness: None,
- dleq: None,
- }
- }
- /// Get y from proof
- ///
- /// Where y is `hash_to_curve(secret)`
- pub fn y(&self) -> Result<PublicKey, Error> {
- Ok(hash_to_curve(self.secret.as_bytes())?)
- }
- }
- impl Hash for Proof {
- fn hash<H: Hasher>(&self, state: &mut H) {
- self.secret.hash(state);
- }
- }
- impl Ord for Proof {
- fn cmp(&self, other: &Self) -> std::cmp::Ordering {
- self.amount.cmp(&other.amount)
- }
- }
- impl PartialOrd for Proof {
- fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
- Some(self.cmp(other))
- }
- }
- /// Proof V4
- #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
- pub struct ProofV4 {
- /// Amount in satoshi
- #[serde(rename = "a")]
- pub amount: Amount,
- /// Secret message
- #[serde(rename = "s")]
- pub secret: Secret,
- /// Unblinded signature
- #[serde(
- serialize_with = "serialize_v4_pubkey",
- deserialize_with = "deserialize_v4_pubkey"
- )]
- pub c: PublicKey,
- /// Witness
- #[serde(default)]
- #[serde(skip_serializing_if = "Option::is_none")]
- pub witness: Option<Witness>,
- /// DLEQ Proof
- #[serde(rename = "d")]
- pub dleq: Option<ProofDleq>,
- }
- impl ProofV4 {
- /// [`ProofV4`] into [`Proof`]
- pub fn into_proof(&self, keyset_id: &Id) -> Proof {
- Proof {
- amount: self.amount,
- keyset_id: *keyset_id,
- secret: self.secret.clone(),
- c: self.c,
- witness: self.witness.clone(),
- dleq: self.dleq.clone(),
- }
- }
- }
- impl From<Proof> for ProofV4 {
- fn from(proof: Proof) -> ProofV4 {
- let Proof {
- amount,
- keyset_id: _,
- secret,
- c,
- witness,
- dleq,
- } = proof;
- ProofV4 {
- amount,
- secret,
- c,
- witness,
- dleq,
- }
- }
- }
- fn serialize_v4_pubkey<S>(key: &PublicKey, serializer: S) -> Result<S::Ok, S::Error>
- where
- S: serde::Serializer,
- {
- serializer.serialize_bytes(&key.to_bytes())
- }
- fn deserialize_v4_pubkey<'de, D>(deserializer: D) -> Result<PublicKey, D::Error>
- where
- D: serde::Deserializer<'de>,
- {
- let bytes = Vec::<u8>::deserialize(deserializer)?;
- PublicKey::from_slice(&bytes).map_err(serde::de::Error::custom)
- }
- /// Currency Unit
- #[non_exhaustive]
- #[derive(Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Default)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub enum CurrencyUnit {
- /// Sat
- #[default]
- Sat,
- /// Msat
- Msat,
- /// Usd
- Usd,
- /// Euro
- Eur,
- /// Custom currency unit
- Custom(String),
- }
- impl CurrencyUnit {
- /// Derivation index mint will use for unit
- pub fn derivation_index(&self) -> Option<u32> {
- match self {
- Self::Sat => Some(0),
- Self::Msat => Some(1),
- Self::Usd => Some(2),
- Self::Eur => Some(3),
- _ => None,
- }
- }
- }
- impl FromStr for CurrencyUnit {
- type Err = Error;
- fn from_str(value: &str) -> Result<Self, Self::Err> {
- let value = &value.to_uppercase();
- match value.as_str() {
- "SAT" => Ok(Self::Sat),
- "MSAT" => Ok(Self::Msat),
- "USD" => Ok(Self::Usd),
- "EUR" => Ok(Self::Eur),
- c => Ok(Self::Custom(c.to_string())),
- }
- }
- }
- impl fmt::Display for CurrencyUnit {
- fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
- let s = match self {
- CurrencyUnit::Sat => "SAT",
- CurrencyUnit::Msat => "MSAT",
- CurrencyUnit::Usd => "USD",
- CurrencyUnit::Eur => "EUR",
- CurrencyUnit::Custom(unit) => unit,
- };
- if let Some(width) = f.width() {
- write!(f, "{:width$}", s.to_lowercase(), width = width)
- } else {
- write!(f, "{}", s.to_lowercase())
- }
- }
- }
- impl Serialize for CurrencyUnit {
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
- where
- S: serde::Serializer,
- {
- serializer.serialize_str(&self.to_string())
- }
- }
- impl<'de> Deserialize<'de> for CurrencyUnit {
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
- where
- D: Deserializer<'de>,
- {
- let currency: String = String::deserialize(deserializer)?;
- Self::from_str(¤cy).map_err(|_| serde::de::Error::custom("Unsupported unit"))
- }
- }
- /// Payment Method
- #[non_exhaustive]
- #[derive(Debug, Clone, Copy, Default, PartialEq, Eq, Hash)]
- #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
- pub enum PaymentMethod {
- /// Bolt11 payment type
- #[default]
- Bolt11,
- }
- impl FromStr for PaymentMethod {
- type Err = Error;
- fn from_str(value: &str) -> Result<Self, Self::Err> {
- match value {
- "bolt11" => Ok(Self::Bolt11),
- _ => Err(Error::UnsupportedPaymentMethod),
- }
- }
- }
- impl fmt::Display for PaymentMethod {
- fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
- match self {
- PaymentMethod::Bolt11 => write!(f, "bolt11"),
- }
- }
- }
- impl Serialize for PaymentMethod {
- fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
- where
- S: serde::Serializer,
- {
- serializer.serialize_str(&self.to_string())
- }
- }
- impl<'de> Deserialize<'de> for PaymentMethod {
- fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
- where
- D: Deserializer<'de>,
- {
- let payment_method: String = String::deserialize(deserializer)?;
- Self::from_str(&payment_method).map_err(|_| de::Error::custom("Unsupported payment method"))
- }
- }
- /// PreMint
- #[derive(Debug, Clone, PartialEq, Eq, Serialize)]
- pub struct PreMint {
- /// Blinded message
- pub blinded_message: BlindedMessage,
- /// Secret
- pub secret: Secret,
- /// R
- pub r: SecretKey,
- /// Amount
- pub amount: Amount,
- }
- impl Ord for PreMint {
- fn cmp(&self, other: &Self) -> std::cmp::Ordering {
- self.amount.cmp(&other.amount)
- }
- }
- impl PartialOrd for PreMint {
- fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
- Some(self.cmp(other))
- }
- }
- /// Premint Secrets
- #[derive(Debug, Clone, PartialEq, Eq, Serialize)]
- pub struct PreMintSecrets {
- /// Secrets
- pub secrets: Vec<PreMint>,
- /// Keyset Id
- pub keyset_id: Id,
- }
- impl PreMintSecrets {
- /// Create new [`PreMintSecrets`]
- pub fn new(keyset_id: Id) -> Self {
- Self {
- secrets: Vec::new(),
- keyset_id,
- }
- }
- /// Outputs for speceifed amount with random secret
- pub fn random(
- keyset_id: Id,
- amount: Amount,
- amount_split_target: &SplitTarget,
- ) -> Result<Self, Error> {
- let amount_split = amount.split_targeted(amount_split_target)?;
- let mut output = Vec::with_capacity(amount_split.len());
- for amount in amount_split {
- let secret = Secret::generate();
- let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
- let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
- output.push(PreMint {
- secret,
- blinded_message,
- r,
- amount,
- });
- }
- Ok(PreMintSecrets {
- secrets: output,
- keyset_id,
- })
- }
- /// Outputs from pre defined secrets
- pub fn from_secrets(
- keyset_id: Id,
- amounts: Vec<Amount>,
- secrets: Vec<Secret>,
- ) -> Result<Self, Error> {
- let mut output = Vec::with_capacity(secrets.len());
- for (secret, amount) in secrets.into_iter().zip(amounts) {
- let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
- let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
- output.push(PreMint {
- secret,
- blinded_message,
- r,
- amount,
- });
- }
- Ok(PreMintSecrets {
- secrets: output,
- keyset_id,
- })
- }
- /// Blank Outputs used for NUT-08 change
- pub fn blank(keyset_id: Id, fee_reserve: Amount) -> Result<Self, Error> {
- let count = ((u64::from(fee_reserve) as f64).log2().ceil() as u64).max(1);
- let mut output = Vec::with_capacity(count as usize);
- for _i in 0..count {
- let secret = Secret::generate();
- let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
- let blinded_message = BlindedMessage::new(Amount::ZERO, keyset_id, blinded);
- output.push(PreMint {
- secret,
- blinded_message,
- r,
- amount: Amount::ZERO,
- })
- }
- Ok(PreMintSecrets {
- secrets: output,
- keyset_id,
- })
- }
- /// Outputs with specific spending conditions
- pub fn with_conditions(
- keyset_id: Id,
- amount: Amount,
- amount_split_target: &SplitTarget,
- conditions: &SpendingConditions,
- ) -> Result<Self, Error> {
- let amount_split = amount.split_targeted(amount_split_target)?;
- let mut output = Vec::with_capacity(amount_split.len());
- for amount in amount_split {
- let secret: nut10::Secret = conditions.clone().into();
- let secret: Secret = secret.try_into()?;
- let (blinded, r) = blind_message(&secret.to_bytes(), None)?;
- let blinded_message = BlindedMessage::new(amount, keyset_id, blinded);
- output.push(PreMint {
- secret,
- blinded_message,
- r,
- amount,
- });
- }
- Ok(PreMintSecrets {
- secrets: output,
- keyset_id,
- })
- }
- /// Iterate over secrets
- #[inline]
- pub fn iter(&self) -> impl Iterator<Item = &PreMint> {
- self.secrets.iter()
- }
- /// Length of secrets
- #[inline]
- pub fn len(&self) -> usize {
- self.secrets.len()
- }
- /// If secrets is empty
- #[inline]
- pub fn is_empty(&self) -> bool {
- self.secrets.is_empty()
- }
- /// Totoal amount of secrets
- pub fn total_amount(&self) -> Result<Amount, Error> {
- Ok(Amount::try_sum(
- self.secrets.iter().map(|PreMint { amount, .. }| *amount),
- )?)
- }
- /// [`BlindedMessage`]s from [`PreMintSecrets`]
- #[inline]
- pub fn blinded_messages(&self) -> Vec<BlindedMessage> {
- self.iter().map(|pm| pm.blinded_message.clone()).collect()
- }
- /// [`Secret`]s from [`PreMintSecrets`]
- #[inline]
- pub fn secrets(&self) -> Vec<Secret> {
- self.iter().map(|pm| pm.secret.clone()).collect()
- }
- /// Blinding factor from [`PreMintSecrets`]
- #[inline]
- pub fn rs(&self) -> Vec<SecretKey> {
- self.iter().map(|pm| pm.r.clone()).collect()
- }
- /// Amounts from [`PreMintSecrets`]
- #[inline]
- pub fn amounts(&self) -> Vec<Amount> {
- self.iter().map(|pm| pm.amount).collect()
- }
- /// Combine [`PreMintSecrets`]
- #[inline]
- pub fn combine(&mut self, mut other: Self) {
- self.secrets.append(&mut other.secrets)
- }
- /// Sort [`PreMintSecrets`] by [`Amount`]
- #[inline]
- pub fn sort_secrets(&mut self) {
- self.secrets.sort();
- }
- }
- // Implement Iterator for PreMintSecrets
- impl Iterator for PreMintSecrets {
- type Item = PreMint;
- fn next(&mut self) -> Option<Self::Item> {
- // Use the iterator of the vector
- self.secrets.pop()
- }
- }
- impl Ord for PreMintSecrets {
- fn cmp(&self, other: &Self) -> Ordering {
- self.secrets.cmp(&other.secrets)
- }
- }
- impl PartialOrd for PreMintSecrets {
- fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
- Some(self.cmp(other))
- }
- }
- #[cfg(test)]
- mod tests {
- use std::str::FromStr;
- use super::*;
- #[test]
- fn test_proof_serialize() {
- let proof = "[{\"id\":\"009a1f293253e41e\",\"amount\":2,\"secret\":\"407915bc212be61a77e3e6d2aeb4c727980bda51cd06a6afc29e2861768a7837\",\"C\":\"02bc9097997d81afb2cc7346b5e4345a9346bd2a506eb7958598a72f0cf85163ea\"},{\"id\":\"009a1f293253e41e\",\"amount\":8,\"secret\":\"fe15109314e61d7756b0f8ee0f23a624acaa3f4e042f61433c728c7057b931be\",\"C\":\"029e8e5050b890a7d6c0968db16bc1d5d5fa040ea1de284f6ec69d61299f671059\"}]";
- let proof: Proofs = serde_json::from_str(proof).unwrap();
- assert_eq!(
- proof[0].clone().keyset_id,
- Id::from_str("009a1f293253e41e").unwrap()
- );
- assert_eq!(proof.len(), 2);
- }
- #[test]
- fn test_blank_blinded_messages() {
- let b = PreMintSecrets::blank(
- Id::from_str("009a1f293253e41e").unwrap(),
- Amount::from(1000),
- )
- .unwrap();
- assert_eq!(b.len(), 10);
- let b = PreMintSecrets::blank(Id::from_str("009a1f293253e41e").unwrap(), Amount::from(1))
- .unwrap();
- assert_eq!(b.len(), 1);
- }
- }
|