mod.rs 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935
  1. //! NUT-11: Pay to Public Key (P2PK)
  2. //!
  3. //! <https://github.com/cashubtc/nuts/blob/main/11.md>
  4. use std::collections::{HashMap, HashSet};
  5. use std::str::FromStr;
  6. use std::{fmt, vec};
  7. use bitcoin::hashes::sha256::Hash as Sha256Hash;
  8. use bitcoin::hashes::Hash;
  9. use bitcoin::secp256k1::schnorr::Signature;
  10. use serde::de::Error as DeserializerError;
  11. use serde::ser::SerializeSeq;
  12. use serde::{Deserialize, Deserializer, Serialize, Serializer};
  13. use thiserror::Error;
  14. use super::nut00::Witness;
  15. use super::nut01::PublicKey;
  16. use super::{Kind, Nut10Secret, Proof, Proofs, SecretKey};
  17. use crate::nuts::nut00::BlindedMessage;
  18. use crate::secret::Secret;
  19. use crate::util::{hex, unix_time};
  20. pub mod serde_p2pk_witness;
  21. /// Nut11 Error
  22. #[derive(Debug, Error)]
  23. pub enum Error {
  24. /// Incorrect secret kind
  25. #[error("Secret is not a p2pk secret")]
  26. IncorrectSecretKind,
  27. /// Incorrect secret kind
  28. #[error("Witness is not a p2pk witness")]
  29. IncorrectWitnessKind,
  30. /// P2PK locktime has already passed
  31. #[error("Locktime in past")]
  32. LocktimeInPast,
  33. /// Witness signature is not valid
  34. #[error("Invalid signature")]
  35. InvalidSignature,
  36. /// Unknown tag in P2PK secret
  37. #[error("Unknown tag P2PK secret")]
  38. UnknownTag,
  39. /// Unknown Sigflag
  40. #[error("Unknown sigflag")]
  41. UnknownSigFlag,
  42. /// P2PK Spend conditions not meet
  43. #[error("P2PK spend conditions are not met")]
  44. SpendConditionsNotMet,
  45. /// Pubkey must be in data field of P2PK
  46. #[error("P2PK required in secret data")]
  47. P2PKPubkeyRequired,
  48. /// Unknown Kind
  49. #[error("Kind not found")]
  50. KindNotFound,
  51. /// HTLC hash invalid
  52. #[error("Invalid hash")]
  53. InvalidHash,
  54. /// Witness Signatures not provided
  55. #[error("Witness signatures not provided")]
  56. SignaturesNotProvided,
  57. /// Parse Url Error
  58. #[error(transparent)]
  59. UrlParseError(#[from] url::ParseError),
  60. /// Parse int error
  61. #[error(transparent)]
  62. ParseInt(#[from] std::num::ParseIntError),
  63. /// From hex error
  64. #[error(transparent)]
  65. HexError(#[from] hex::Error),
  66. /// Serde Json error
  67. #[error(transparent)]
  68. SerdeJsonError(#[from] serde_json::Error),
  69. /// Secp256k1 error
  70. #[error(transparent)]
  71. Secp256k1(#[from] bitcoin::secp256k1::Error),
  72. /// NUT01 Error
  73. #[error(transparent)]
  74. NUT01(#[from] crate::nuts::nut01::Error),
  75. /// Secret error
  76. #[error(transparent)]
  77. Secret(#[from] crate::secret::Error),
  78. }
  79. /// P2Pk Witness
  80. #[derive(Default, Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
  81. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  82. pub struct P2PKWitness {
  83. /// Signatures
  84. pub signatures: Vec<String>,
  85. }
  86. impl P2PKWitness {
  87. #[inline]
  88. /// Check id Witness is empty
  89. pub fn is_empty(&self) -> bool {
  90. self.signatures.is_empty()
  91. }
  92. }
  93. impl Proof {
  94. /// Sign [Proof]
  95. pub fn sign_p2pk(&mut self, secret_key: SecretKey) -> Result<(), Error> {
  96. let msg: Vec<u8> = self.secret.to_bytes();
  97. let signature: Signature = secret_key.sign(&msg)?;
  98. let signatures = vec![signature.to_string()];
  99. match self.witness.as_mut() {
  100. Some(witness) => {
  101. witness.add_signatures(signatures);
  102. }
  103. None => {
  104. let mut p2pk_witness = Witness::P2PKWitness(P2PKWitness::default());
  105. p2pk_witness.add_signatures(signatures);
  106. self.witness = Some(p2pk_witness);
  107. }
  108. };
  109. Ok(())
  110. }
  111. /// Verify P2PK signature on [Proof]
  112. pub fn verify_p2pk(&self) -> Result<(), Error> {
  113. let secret: Nut10Secret = self.secret.clone().try_into()?;
  114. let spending_conditions: Conditions =
  115. secret.secret_data.tags.unwrap_or_default().try_into()?;
  116. let msg: &[u8] = self.secret.as_bytes();
  117. let mut valid_sigs = 0;
  118. let witness_signatures = match &self.witness {
  119. Some(witness) => witness.signatures(),
  120. None => None,
  121. };
  122. let witness_signatures = witness_signatures.ok_or(Error::SignaturesNotProvided)?;
  123. let mut pubkeys = spending_conditions.pubkeys.clone().unwrap_or_default();
  124. if secret.kind.eq(&Kind::P2PK) {
  125. pubkeys.push(PublicKey::from_str(&secret.secret_data.data)?);
  126. }
  127. for signature in witness_signatures.iter() {
  128. for v in &pubkeys {
  129. let sig = Signature::from_str(signature)?;
  130. if v.verify(msg, &sig).is_ok() {
  131. valid_sigs += 1;
  132. } else {
  133. tracing::debug!(
  134. "Could not verify signature: {sig} on message: {}",
  135. self.secret.to_string()
  136. )
  137. }
  138. }
  139. }
  140. if valid_sigs >= spending_conditions.num_sigs.unwrap_or(1) {
  141. return Ok(());
  142. }
  143. if let (Some(locktime), Some(refund_keys)) = (
  144. spending_conditions.locktime,
  145. spending_conditions.refund_keys,
  146. ) {
  147. // If lock time has passed check if refund witness signature is valid
  148. if locktime.lt(&unix_time()) {
  149. for s in witness_signatures.iter() {
  150. for v in &refund_keys {
  151. let sig = Signature::from_str(s).map_err(|_| Error::InvalidSignature)?;
  152. // As long as there is one valid refund signature it can be spent
  153. if v.verify(msg, &sig).is_ok() {
  154. return Ok(());
  155. }
  156. }
  157. }
  158. }
  159. }
  160. Err(Error::SpendConditionsNotMet)
  161. }
  162. }
  163. /// Returns count of valid signatures
  164. pub fn valid_signatures(msg: &[u8], pubkeys: &[PublicKey], signatures: &[Signature]) -> u64 {
  165. let mut count = 0;
  166. for pubkey in pubkeys {
  167. for signature in signatures {
  168. if pubkey.verify(msg, signature).is_ok() {
  169. count += 1;
  170. }
  171. }
  172. }
  173. count
  174. }
  175. impl BlindedMessage {
  176. /// Sign [BlindedMessage]
  177. pub fn sign_p2pk(&mut self, secret_key: SecretKey) -> Result<(), Error> {
  178. let msg: [u8; 33] = self.blinded_secret.to_bytes();
  179. let signature: Signature = secret_key.sign(&msg)?;
  180. let signatures = vec![signature.to_string()];
  181. match self.witness.as_mut() {
  182. Some(witness) => {
  183. witness.add_signatures(signatures);
  184. }
  185. None => {
  186. let mut p2pk_witness = Witness::P2PKWitness(P2PKWitness::default());
  187. p2pk_witness.add_signatures(signatures);
  188. self.witness = Some(p2pk_witness);
  189. }
  190. };
  191. Ok(())
  192. }
  193. /// Verify P2PK conditions on [BlindedMessage]
  194. pub fn verify_p2pk(&self, pubkeys: &Vec<PublicKey>, required_sigs: u64) -> Result<(), Error> {
  195. let mut valid_sigs = 0;
  196. if let Some(witness) = &self.witness {
  197. for signature in witness
  198. .signatures()
  199. .ok_or(Error::SignaturesNotProvided)?
  200. .iter()
  201. {
  202. for v in pubkeys {
  203. let msg = &self.blinded_secret.to_bytes();
  204. let sig = Signature::from_str(signature)?;
  205. if v.verify(msg, &sig).is_ok() {
  206. valid_sigs += 1;
  207. } else {
  208. tracing::debug!(
  209. "Could not verify signature: {sig} on message: {}",
  210. self.blinded_secret
  211. )
  212. }
  213. }
  214. }
  215. }
  216. if valid_sigs.ge(&required_sigs) {
  217. Ok(())
  218. } else {
  219. Err(Error::SpendConditionsNotMet)
  220. }
  221. }
  222. }
  223. /// Spending Conditions
  224. ///
  225. /// Defined in [NUT10](https://github.com/cashubtc/nuts/blob/main/10.md)
  226. #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
  227. pub enum SpendingConditions {
  228. /// NUT11 Spending conditions
  229. ///
  230. /// Defined in [NUT11](https://github.com/cashubtc/nuts/blob/main/11.md)
  231. P2PKConditions {
  232. /// The public key of the recipient of the locked ecash
  233. data: PublicKey,
  234. /// Additional Optional Spending [`Conditions`]
  235. conditions: Option<Conditions>,
  236. },
  237. /// NUT14 Spending conditions
  238. ///
  239. /// Dedined in [NUT14](https://github.com/cashubtc/nuts/blob/main/14.md)
  240. HTLCConditions {
  241. /// Hash Lock of ecash
  242. data: Sha256Hash,
  243. /// Additional Optional Spending [`Conditions`]
  244. conditions: Option<Conditions>,
  245. },
  246. }
  247. impl SpendingConditions {
  248. /// New HTLC [SpendingConditions]
  249. pub fn new_htlc(preimage: String, conditions: Option<Conditions>) -> Result<Self, Error> {
  250. let htlc = Sha256Hash::hash(&hex::decode(preimage)?);
  251. Ok(Self::HTLCConditions {
  252. data: htlc,
  253. conditions,
  254. })
  255. }
  256. /// New P2PK [SpendingConditions]
  257. pub fn new_p2pk(pubkey: PublicKey, conditions: Option<Conditions>) -> Self {
  258. Self::P2PKConditions {
  259. data: pubkey,
  260. conditions,
  261. }
  262. }
  263. /// Kind of [SpendingConditions]
  264. pub fn kind(&self) -> Kind {
  265. match self {
  266. Self::P2PKConditions { .. } => Kind::P2PK,
  267. Self::HTLCConditions { .. } => Kind::HTLC,
  268. }
  269. }
  270. /// Number if signatures required to unlock
  271. pub fn num_sigs(&self) -> Option<u64> {
  272. match self {
  273. Self::P2PKConditions { conditions, .. } => conditions.as_ref().and_then(|c| c.num_sigs),
  274. Self::HTLCConditions { conditions, .. } => conditions.as_ref().and_then(|c| c.num_sigs),
  275. }
  276. }
  277. /// Public keys of locked [`Proof`]
  278. pub fn pubkeys(&self) -> Option<Vec<PublicKey>> {
  279. match self {
  280. Self::P2PKConditions { data, conditions } => {
  281. let mut pubkeys = vec![*data];
  282. if let Some(conditions) = conditions {
  283. pubkeys.extend(conditions.pubkeys.clone().unwrap_or_default());
  284. }
  285. Some(pubkeys)
  286. }
  287. Self::HTLCConditions { conditions, .. } => conditions.clone().and_then(|c| c.pubkeys),
  288. }
  289. }
  290. /// Locktime of Spending Conditions
  291. pub fn locktime(&self) -> Option<u64> {
  292. match self {
  293. Self::P2PKConditions { conditions, .. } => conditions.as_ref().and_then(|c| c.locktime),
  294. Self::HTLCConditions { conditions, .. } => conditions.as_ref().and_then(|c| c.locktime),
  295. }
  296. }
  297. /// Refund keys
  298. pub fn refund_keys(&self) -> Option<Vec<PublicKey>> {
  299. match self {
  300. Self::P2PKConditions { conditions, .. } => {
  301. conditions.clone().and_then(|c| c.refund_keys)
  302. }
  303. Self::HTLCConditions { conditions, .. } => {
  304. conditions.clone().and_then(|c| c.refund_keys)
  305. }
  306. }
  307. }
  308. }
  309. impl TryFrom<&Secret> for SpendingConditions {
  310. type Error = Error;
  311. fn try_from(secret: &Secret) -> Result<SpendingConditions, Error> {
  312. let nut10_secret: Nut10Secret = secret.try_into()?;
  313. nut10_secret.try_into()
  314. }
  315. }
  316. impl TryFrom<Nut10Secret> for SpendingConditions {
  317. type Error = Error;
  318. fn try_from(secret: Nut10Secret) -> Result<SpendingConditions, Error> {
  319. match secret.kind {
  320. Kind::P2PK => Ok(SpendingConditions::P2PKConditions {
  321. data: PublicKey::from_str(&secret.secret_data.data)?,
  322. conditions: secret.secret_data.tags.and_then(|t| t.try_into().ok()),
  323. }),
  324. Kind::HTLC => Ok(Self::HTLCConditions {
  325. data: Sha256Hash::from_str(&secret.secret_data.data)
  326. .map_err(|_| Error::InvalidHash)?,
  327. conditions: secret.secret_data.tags.and_then(|t| t.try_into().ok()),
  328. }),
  329. }
  330. }
  331. }
  332. impl From<SpendingConditions> for super::nut10::Secret {
  333. fn from(conditions: SpendingConditions) -> super::nut10::Secret {
  334. match conditions {
  335. SpendingConditions::P2PKConditions { data, conditions } => {
  336. super::nut10::Secret::new(Kind::P2PK, data.to_hex(), conditions)
  337. }
  338. SpendingConditions::HTLCConditions { data, conditions } => {
  339. super::nut10::Secret::new(Kind::HTLC, data.to_string(), conditions)
  340. }
  341. }
  342. }
  343. }
  344. /// P2PK and HTLC spending conditions
  345. #[derive(Debug, Clone, PartialEq, Eq, Hash, Default, Serialize, Deserialize)]
  346. pub struct Conditions {
  347. /// Unix locktime after which refund keys can be used
  348. #[serde(skip_serializing_if = "Option::is_none")]
  349. pub locktime: Option<u64>,
  350. /// Additional Public keys
  351. #[serde(skip_serializing_if = "Option::is_none")]
  352. pub pubkeys: Option<Vec<PublicKey>>,
  353. /// Refund keys
  354. #[serde(skip_serializing_if = "Option::is_none")]
  355. pub refund_keys: Option<Vec<PublicKey>>,
  356. /// Numbedr of signatures required
  357. ///
  358. /// Default is 1
  359. #[serde(skip_serializing_if = "Option::is_none")]
  360. pub num_sigs: Option<u64>,
  361. /// Signature flag
  362. ///
  363. /// Default [`SigFlag::SigInputs`]
  364. pub sig_flag: SigFlag,
  365. }
  366. impl Conditions {
  367. /// Create new Spending [`Conditions`]
  368. pub fn new(
  369. locktime: Option<u64>,
  370. pubkeys: Option<Vec<PublicKey>>,
  371. refund_keys: Option<Vec<PublicKey>>,
  372. num_sigs: Option<u64>,
  373. sig_flag: Option<SigFlag>,
  374. ) -> Result<Self, Error> {
  375. if let Some(locktime) = locktime {
  376. if locktime.lt(&unix_time()) {
  377. return Err(Error::LocktimeInPast);
  378. }
  379. }
  380. Ok(Self {
  381. locktime,
  382. pubkeys,
  383. refund_keys,
  384. num_sigs,
  385. sig_flag: sig_flag.unwrap_or_default(),
  386. })
  387. }
  388. }
  389. impl From<Conditions> for Vec<Vec<String>> {
  390. fn from(conditions: Conditions) -> Vec<Vec<String>> {
  391. let Conditions {
  392. locktime,
  393. pubkeys,
  394. refund_keys,
  395. num_sigs,
  396. sig_flag,
  397. } = conditions;
  398. let mut tags = Vec::new();
  399. if let Some(pubkeys) = pubkeys {
  400. tags.push(Tag::PubKeys(pubkeys.into_iter().collect()).as_vec());
  401. }
  402. if let Some(locktime) = locktime {
  403. tags.push(Tag::LockTime(locktime).as_vec());
  404. }
  405. if let Some(num_sigs) = num_sigs {
  406. tags.push(Tag::NSigs(num_sigs).as_vec());
  407. }
  408. if let Some(refund_keys) = refund_keys {
  409. tags.push(Tag::Refund(refund_keys).as_vec())
  410. }
  411. tags.push(Tag::SigFlag(sig_flag).as_vec());
  412. tags
  413. }
  414. }
  415. impl TryFrom<Vec<Vec<String>>> for Conditions {
  416. type Error = Error;
  417. fn try_from(tags: Vec<Vec<String>>) -> Result<Conditions, Self::Error> {
  418. let tags: HashMap<TagKind, Tag> = tags
  419. .into_iter()
  420. .map(|t| Tag::try_from(t).unwrap())
  421. .map(|t| (t.kind(), t))
  422. .collect();
  423. let pubkeys = match tags.get(&TagKind::Pubkeys) {
  424. Some(Tag::PubKeys(pubkeys)) => Some(pubkeys.clone()),
  425. _ => None,
  426. };
  427. let locktime = if let Some(tag) = tags.get(&TagKind::Locktime) {
  428. match tag {
  429. Tag::LockTime(locktime) => Some(*locktime),
  430. _ => None,
  431. }
  432. } else {
  433. None
  434. };
  435. let refund_keys = if let Some(tag) = tags.get(&TagKind::Refund) {
  436. match tag {
  437. Tag::Refund(keys) => Some(keys.clone()),
  438. _ => None,
  439. }
  440. } else {
  441. None
  442. };
  443. let sig_flag = if let Some(tag) = tags.get(&TagKind::SigFlag) {
  444. match tag {
  445. Tag::SigFlag(sigflag) => *sigflag,
  446. _ => SigFlag::SigInputs,
  447. }
  448. } else {
  449. SigFlag::SigInputs
  450. };
  451. let num_sigs = if let Some(tag) = tags.get(&TagKind::NSigs) {
  452. match tag {
  453. Tag::NSigs(num_sigs) => Some(*num_sigs),
  454. _ => None,
  455. }
  456. } else {
  457. None
  458. };
  459. Ok(Conditions {
  460. locktime,
  461. pubkeys,
  462. refund_keys,
  463. num_sigs,
  464. sig_flag,
  465. })
  466. }
  467. }
  468. /// P2PK and HTLC Spending condition tags
  469. #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize, PartialOrd, Ord)]
  470. #[serde(rename_all = "lowercase")]
  471. pub enum TagKind {
  472. /// Signature flag
  473. SigFlag,
  474. /// Number signatures required
  475. #[serde(rename = "n_sigs")]
  476. NSigs,
  477. /// Locktime
  478. Locktime,
  479. /// Refund
  480. Refund,
  481. /// Pubkey
  482. Pubkeys,
  483. /// Custom tag kind
  484. Custom(String),
  485. }
  486. impl fmt::Display for TagKind {
  487. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  488. match self {
  489. Self::SigFlag => write!(f, "sigflag"),
  490. Self::NSigs => write!(f, "n_sigs"),
  491. Self::Locktime => write!(f, "locktime"),
  492. Self::Refund => write!(f, "refund"),
  493. Self::Pubkeys => write!(f, "pubkeys"),
  494. Self::Custom(kind) => write!(f, "{}", kind),
  495. }
  496. }
  497. }
  498. impl<S> From<S> for TagKind
  499. where
  500. S: AsRef<str>,
  501. {
  502. fn from(tag: S) -> Self {
  503. match tag.as_ref() {
  504. "sigflag" => Self::SigFlag,
  505. "n_sigs" => Self::NSigs,
  506. "locktime" => Self::Locktime,
  507. "refund" => Self::Refund,
  508. "pubkeys" => Self::Pubkeys,
  509. t => Self::Custom(t.to_owned()),
  510. }
  511. }
  512. }
  513. /// Signature flag
  514. ///
  515. /// Defined in [NUT11](https://github.com/cashubtc/nuts/blob/main/11.md)
  516. #[derive(
  517. Debug, Default, Clone, Copy, PartialEq, Eq, Serialize, Deserialize, PartialOrd, Ord, Hash,
  518. )]
  519. pub enum SigFlag {
  520. #[default]
  521. /// Requires valid signatures on all inputs.
  522. /// It is the default signature flag and will be applied even if the
  523. /// `sigflag` tag is absent.
  524. SigInputs,
  525. /// Requires valid signatures on all inputs and on all outputs.
  526. SigAll,
  527. }
  528. impl fmt::Display for SigFlag {
  529. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  530. match self {
  531. Self::SigAll => write!(f, "SIG_ALL"),
  532. Self::SigInputs => write!(f, "SIG_INPUTS"),
  533. }
  534. }
  535. }
  536. impl FromStr for SigFlag {
  537. type Err = Error;
  538. fn from_str(tag: &str) -> Result<Self, Self::Err> {
  539. match tag {
  540. "SIG_ALL" => Ok(Self::SigAll),
  541. "SIG_INPUTS" => Ok(Self::SigInputs),
  542. _ => Err(Error::UnknownSigFlag),
  543. }
  544. }
  545. }
  546. /// Get the signature flag that should be enforced for a set of proofs and the
  547. /// public keys that signatures are valid for
  548. pub fn enforce_sig_flag(proofs: Proofs) -> EnforceSigFlag {
  549. let mut sig_flag = SigFlag::SigInputs;
  550. let mut pubkeys = HashSet::new();
  551. let mut sigs_required = 1;
  552. for proof in proofs {
  553. if let Ok(secret) = Nut10Secret::try_from(proof.secret) {
  554. if secret.kind.eq(&Kind::P2PK) {
  555. if let Ok(verifying_key) = PublicKey::from_str(&secret.secret_data.data) {
  556. pubkeys.insert(verifying_key);
  557. }
  558. }
  559. if let Some(tags) = secret.secret_data.tags {
  560. if let Ok(conditions) = Conditions::try_from(tags) {
  561. if conditions.sig_flag.eq(&SigFlag::SigAll) {
  562. sig_flag = SigFlag::SigAll;
  563. }
  564. if let Some(sigs) = conditions.num_sigs {
  565. if sigs > sigs_required {
  566. sigs_required = sigs;
  567. }
  568. }
  569. if let Some(pubs) = conditions.pubkeys {
  570. pubkeys.extend(pubs);
  571. }
  572. }
  573. }
  574. }
  575. }
  576. EnforceSigFlag {
  577. sig_flag,
  578. pubkeys,
  579. sigs_required,
  580. }
  581. }
  582. /// Enforce Sigflag info
  583. #[derive(Debug, Clone, PartialEq, Eq)]
  584. pub struct EnforceSigFlag {
  585. /// Sigflag required for proofs
  586. pub sig_flag: SigFlag,
  587. /// Pubkeys that can sign for proofs
  588. pub pubkeys: HashSet<PublicKey>,
  589. /// Number of sigs required for proofs
  590. pub sigs_required: u64,
  591. }
  592. /// Tag
  593. #[derive(Debug, Clone, Hash, PartialEq, Eq)]
  594. pub enum Tag {
  595. /// Sigflag [`Tag`]
  596. SigFlag(SigFlag),
  597. /// Number of Sigs [`Tag`]
  598. NSigs(u64),
  599. /// Locktime [`Tag`]
  600. LockTime(u64),
  601. /// Refund [`Tag`]
  602. Refund(Vec<PublicKey>),
  603. /// Pubkeys [`Tag`]
  604. PubKeys(Vec<PublicKey>),
  605. }
  606. impl Tag {
  607. /// Get [`Tag`] Kind
  608. pub fn kind(&self) -> TagKind {
  609. match self {
  610. Self::SigFlag(_) => TagKind::SigFlag,
  611. Self::NSigs(_) => TagKind::NSigs,
  612. Self::LockTime(_) => TagKind::Locktime,
  613. Self::Refund(_) => TagKind::Refund,
  614. Self::PubKeys(_) => TagKind::Pubkeys,
  615. }
  616. }
  617. /// Get [`Tag`] as string vector
  618. pub fn as_vec(&self) -> Vec<String> {
  619. self.clone().into()
  620. }
  621. }
  622. impl<S> TryFrom<Vec<S>> for Tag
  623. where
  624. S: AsRef<str>,
  625. {
  626. type Error = Error;
  627. fn try_from(tag: Vec<S>) -> Result<Self, Self::Error> {
  628. let tag_kind: TagKind = match tag.first() {
  629. Some(kind) => TagKind::from(kind),
  630. None => return Err(Error::KindNotFound),
  631. };
  632. match tag_kind {
  633. TagKind::SigFlag => Ok(Tag::SigFlag(SigFlag::from_str(tag[1].as_ref())?)),
  634. TagKind::NSigs => Ok(Tag::NSigs(tag[1].as_ref().parse()?)),
  635. TagKind::Locktime => Ok(Tag::LockTime(tag[1].as_ref().parse()?)),
  636. TagKind::Refund => {
  637. let pubkeys = tag
  638. .iter()
  639. .skip(1)
  640. .map(|p| PublicKey::from_str(p.as_ref()))
  641. .collect::<Result<Vec<PublicKey>, _>>()?;
  642. Ok(Self::Refund(pubkeys))
  643. }
  644. TagKind::Pubkeys => {
  645. let pubkeys = tag
  646. .iter()
  647. .skip(1)
  648. .map(|p| PublicKey::from_str(p.as_ref()))
  649. .collect::<Result<Vec<PublicKey>, _>>()?;
  650. Ok(Self::PubKeys(pubkeys))
  651. }
  652. _ => Err(Error::UnknownTag),
  653. }
  654. }
  655. }
  656. impl From<Tag> for Vec<String> {
  657. fn from(data: Tag) -> Self {
  658. match data {
  659. Tag::SigFlag(sigflag) => vec![TagKind::SigFlag.to_string(), sigflag.to_string()],
  660. Tag::NSigs(num_sig) => vec![TagKind::NSigs.to_string(), num_sig.to_string()],
  661. Tag::LockTime(locktime) => vec![TagKind::Locktime.to_string(), locktime.to_string()],
  662. Tag::PubKeys(pubkeys) => {
  663. let mut tag = vec![TagKind::Pubkeys.to_string()];
  664. for pubkey in pubkeys.into_iter() {
  665. tag.push(pubkey.to_string())
  666. }
  667. tag
  668. }
  669. Tag::Refund(pubkeys) => {
  670. let mut tag = vec![TagKind::Refund.to_string()];
  671. for pubkey in pubkeys {
  672. tag.push(pubkey.to_string())
  673. }
  674. tag
  675. }
  676. }
  677. }
  678. }
  679. impl Serialize for Tag {
  680. fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
  681. where
  682. S: Serializer,
  683. {
  684. let data: Vec<String> = self.as_vec();
  685. let mut seq = serializer.serialize_seq(Some(data.len()))?;
  686. for element in data.into_iter() {
  687. seq.serialize_element(&element)?;
  688. }
  689. seq.end()
  690. }
  691. }
  692. impl<'de> Deserialize<'de> for Tag {
  693. fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
  694. where
  695. D: Deserializer<'de>,
  696. {
  697. type Data = Vec<String>;
  698. let vec: Vec<String> = Data::deserialize(deserializer)?;
  699. Self::try_from(vec).map_err(DeserializerError::custom)
  700. }
  701. }
  702. #[cfg(test)]
  703. mod tests {
  704. use std::str::FromStr;
  705. use super::*;
  706. use crate::nuts::Id;
  707. use crate::secret::Secret;
  708. use crate::Amount;
  709. #[test]
  710. fn test_secret_ser() {
  711. let data = PublicKey::from_str(
  712. "033281c37677ea273eb7183b783067f5244933ef78d8c3f15b1a77cb246099c26e",
  713. )
  714. .unwrap();
  715. let conditions = Conditions {
  716. locktime: Some(99999),
  717. pubkeys: Some(vec![
  718. PublicKey::from_str(
  719. "02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904",
  720. )
  721. .unwrap(),
  722. PublicKey::from_str(
  723. "023192200a0cfd3867e48eb63b03ff599c7e46c8f4e41146b2d281173ca6c50c54",
  724. )
  725. .unwrap(),
  726. ]),
  727. refund_keys: Some(vec![PublicKey::from_str(
  728. "033281c37677ea273eb7183b783067f5244933ef78d8c3f15b1a77cb246099c26e",
  729. )
  730. .unwrap()]),
  731. num_sigs: Some(2),
  732. sig_flag: SigFlag::SigAll,
  733. };
  734. let secret: Nut10Secret = Nut10Secret::new(Kind::P2PK, data.to_string(), Some(conditions));
  735. let secret_str = serde_json::to_string(&secret).unwrap();
  736. let secret_der: Nut10Secret = serde_json::from_str(&secret_str).unwrap();
  737. assert_eq!(secret_der, secret);
  738. }
  739. #[test]
  740. fn sign_proof() {
  741. let secret_key =
  742. SecretKey::from_str("99590802251e78ee1051648439eedb003dc539093a48a44e7b8f2642c909ea37")
  743. .unwrap();
  744. let signing_key_two =
  745. SecretKey::from_str("0000000000000000000000000000000000000000000000000000000000000001")
  746. .unwrap();
  747. let signing_key_three =
  748. SecretKey::from_str("7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f7f")
  749. .unwrap();
  750. let v_key: PublicKey = secret_key.public_key();
  751. let v_key_two: PublicKey = signing_key_two.public_key();
  752. let v_key_three: PublicKey = signing_key_three.public_key();
  753. let conditions = Conditions {
  754. locktime: Some(21000000000),
  755. pubkeys: Some(vec![v_key_two, v_key_three]),
  756. refund_keys: Some(vec![v_key]),
  757. num_sigs: Some(2),
  758. sig_flag: SigFlag::SigInputs,
  759. };
  760. let secret: Secret = Nut10Secret::new(Kind::P2PK, v_key.to_string(), Some(conditions))
  761. .try_into()
  762. .unwrap();
  763. let mut proof = Proof {
  764. keyset_id: Id::from_str("009a1f293253e41e").unwrap(),
  765. amount: Amount::ZERO,
  766. secret,
  767. c: PublicKey::from_str(
  768. "02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904",
  769. )
  770. .unwrap(),
  771. witness: Some(Witness::P2PKWitness(P2PKWitness { signatures: vec![] })),
  772. dleq: None,
  773. };
  774. proof.sign_p2pk(secret_key).unwrap();
  775. proof.sign_p2pk(signing_key_two).unwrap();
  776. assert!(proof.verify_p2pk().is_ok());
  777. }
  778. #[test]
  779. fn test_verify() {
  780. // Proof with a valid signature
  781. let json: &str = r#"{
  782. "amount":1,
  783. "secret":"[\"P2PK\",{\"nonce\":\"859d4935c4907062a6297cf4e663e2835d90d97ecdd510745d32f6816323a41f\",\"data\":\"0249098aa8b9d2fbec49ff8598feb17b592b986e62319a4fa488a3dc36387157a7\",\"tags\":[[\"sigflag\",\"SIG_INPUTS\"]]}]",
  784. "C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904",
  785. "id":"009a1f293253e41e",
  786. "witness":"{\"signatures\":[\"60f3c9b766770b46caac1d27e1ae6b77c8866ebaeba0b9489fe6a15a837eaa6fcd6eaa825499c72ac342983983fd3ba3a8a41f56677cc99ffd73da68b59e1383\"]}"
  787. }"#;
  788. let valid_proof: Proof = serde_json::from_str(json).unwrap();
  789. valid_proof.verify_p2pk().unwrap();
  790. assert!(valid_proof.verify_p2pk().is_ok());
  791. // Proof with a signature that is in a different secret
  792. let invalid_proof = r#"{"amount":1,"secret":"[\"P2PK\",{\"nonce\":\"859d4935c4907062a6297cf4e663e2835d90d97ecdd510745d32f6816323a41f\",\"data\":\"0249098aa8b9d2fbec49ff8598feb17b592b986e62319a4fa488a3dc36387157a7\",\"tags\":[[\"sigflag\",\"SIG_INPUTS\"]]}]","C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904","id":"009a1f293253e41e","witness":"{\"signatures\":[\"3426df9730d365a9d18d79bed2f3e78e9172d7107c55306ac5ddd1b2d065893366cfa24ff3c874ebf1fc22360ba5888ddf6ff5dbcb9e5f2f5a1368f7afc64f15\"]}"}"#;
  793. let invalid_proof: Proof = serde_json::from_str(invalid_proof).unwrap();
  794. assert!(invalid_proof.verify_p2pk().is_err());
  795. }
  796. #[test]
  797. fn verify_multi_sig() {
  798. // Proof with 2 valid signatures to satifiy the condition
  799. let valid_proof = r#"{"amount":0,"secret":"[\"P2PK\",{\"nonce\":\"0ed3fcb22c649dd7bbbdcca36e0c52d4f0187dd3b6a19efcc2bfbebb5f85b2a1\",\"data\":\"0249098aa8b9d2fbec49ff8598feb17b592b986e62319a4fa488a3dc36387157a7\",\"tags\":[[\"pubkeys\",\"0279be667ef9dcbbac55a06295ce870b07029bfcdb2dce28d959f2815b16f81798\",\"02142715675faf8da1ecc4d51e0b9e539fa0d52fdd96ed60dbe99adb15d6b05ad9\"],[\"n_sigs\",\"2\"],[\"sigflag\",\"SIG_INPUTS\"]]}]","C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904","id":"009a1f293253e41e","witness":"{\"signatures\":[\"83564aca48c668f50d022a426ce0ed19d3a9bdcffeeaee0dc1e7ea7e98e9eff1840fcc821724f623468c94f72a8b0a7280fa9ef5a54a1b130ef3055217f467b3\",\"9a72ca2d4d5075be5b511ee48dbc5e45f259bcf4a4e8bf18587f433098a9cd61ff9737dc6e8022de57c76560214c4568377792d4c2c6432886cc7050487a1f22\"]}"}"#;
  800. let valid_proof: Proof = serde_json::from_str(valid_proof).unwrap();
  801. assert!(valid_proof.verify_p2pk().is_ok());
  802. // Proof with only one of the required signatures
  803. let invalid_proof = r#"{"amount":0,"secret":"[\"P2PK\",{\"nonce\":\"0ed3fcb22c649dd7bbbdcca36e0c52d4f0187dd3b6a19efcc2bfbebb5f85b2a1\",\"data\":\"0249098aa8b9d2fbec49ff8598feb17b592b986e62319a4fa488a3dc36387157a7\",\"tags\":[[\"pubkeys\",\"0279be667ef9dcbbac55a06295ce870b07029bfcdb2dce28d959f2815b16f81798\",\"02142715675faf8da1ecc4d51e0b9e539fa0d52fdd96ed60dbe99adb15d6b05ad9\"],[\"n_sigs\",\"2\"],[\"sigflag\",\"SIG_INPUTS\"]]}]","C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904","id":"009a1f293253e41e","witness":"{\"signatures\":[\"83564aca48c668f50d022a426ce0ed19d3a9bdcffeeaee0dc1e7ea7e98e9eff1840fcc821724f623468c94f72a8b0a7280fa9ef5a54a1b130ef3055217f467b3\"]}"}"#;
  804. let invalid_proof: Proof = serde_json::from_str(invalid_proof).unwrap();
  805. // Verification should fail without the requires signatures
  806. assert!(invalid_proof.verify_p2pk().is_err());
  807. }
  808. #[test]
  809. fn verify_refund() {
  810. let valid_proof = r#"{"amount":1,"id":"009a1f293253e41e","secret":"[\"P2PK\",{\"nonce\":\"902685f492ef3bb2ca35a47ddbba484a3365d143b9776d453947dcbf1ddf9689\",\"data\":\"026f6a2b1d709dbca78124a9f30a742985f7eddd894e72f637f7085bf69b997b9a\",\"tags\":[[\"pubkeys\",\"0279be667ef9dcbbac55a06295ce870b07029bfcdb2dce28d959f2815b16f81798\",\"03142715675faf8da1ecc4d51e0b9e539fa0d52fdd96ed60dbe99adb15d6b05ad9\"],[\"locktime\",\"21\"],[\"n_sigs\",\"2\"],[\"refund\",\"026f6a2b1d709dbca78124a9f30a742985f7eddd894e72f637f7085bf69b997b9a\"],[\"sigflag\",\"SIG_INPUTS\"]]}]","C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904","witness":"{\"signatures\":[\"710507b4bc202355c91ea3c147c0d0189c75e179d995e566336afd759cb342bcad9a593345f559d9b9e108ac2c9b5bd9f0b4b6a295028a98606a0a2e95eb54f7\"]}"}"#;
  811. let valid_proof: Proof = serde_json::from_str(valid_proof).unwrap();
  812. assert!(valid_proof.verify_p2pk().is_ok());
  813. let invalid_proof = r#"{"amount":1,"id":"009a1f293253e41e","secret":"[\"P2PK\",{\"nonce\":\"64c46e5d30df27286166814b71b5d69801704f23a7ad626b05688fbdb48dcc98\",\"data\":\"026f6a2b1d709dbca78124a9f30a742985f7eddd894e72f637f7085bf69b997b9a\",\"tags\":[[\"pubkeys\",\"0279be667ef9dcbbac55a06295ce870b07029bfcdb2dce28d959f2815b16f81798\",\"03142715675faf8da1ecc4d51e0b9e539fa0d52fdd96ed60dbe99adb15d6b05ad9\"],[\"locktime\",\"21\"],[\"n_sigs\",\"2\"],[\"refund\",\"0279be667ef9dcbbac55a06295ce870b07029bfcdb2dce28d959f2815b16f81798\"],[\"sigflag\",\"SIG_INPUTS\"]]}]","C":"02698c4e2b5f9534cd0687d87513c759790cf829aa5739184a3e3735471fbda904","witness":"{\"signatures\":[\"f661d3dc046d636d47cb3d06586da42c498f0300373d1c2a4f417a44252cdf3809bce207c8888f934dba0d2b1671f1b8622d526840f2d5883e571b462630c1ff\"]}"}"#;
  814. let invalid_proof: Proof = serde_json::from_str(invalid_proof).unwrap();
  815. assert!(invalid_proof.verify_p2pk().is_err());
  816. }
  817. }