nut04.rs 7.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255
  1. //! NUT-04: Mint Tokens via Bolt11
  2. //!
  3. //! <https://github.com/cashubtc/nuts/blob/main/04.md>
  4. use std::fmt;
  5. use std::str::FromStr;
  6. use serde::de::DeserializeOwned;
  7. use serde::{Deserialize, Serialize};
  8. use thiserror::Error;
  9. #[cfg(feature = "mint")]
  10. use uuid::Uuid;
  11. use super::nut00::{BlindSignature, BlindedMessage, CurrencyUnit, PaymentMethod};
  12. use super::{MintQuoteState, PublicKey};
  13. use crate::Amount;
  14. /// NUT04 Error
  15. #[derive(Debug, Error)]
  16. pub enum Error {
  17. /// Unknown Quote State
  18. #[error("Unknown Quote State")]
  19. UnknownState,
  20. /// Amount overflow
  21. #[error("Amount overflow")]
  22. AmountOverflow,
  23. }
  24. /// Mint quote request [NUT-04]
  25. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  26. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  27. pub struct MintQuoteBolt11Request {
  28. /// Amount
  29. pub amount: Amount,
  30. /// Unit wallet would like to pay with
  31. pub unit: CurrencyUnit,
  32. /// Memo to create the invoice with
  33. #[serde(skip_serializing_if = "Option::is_none")]
  34. pub description: Option<String>,
  35. /// NUT-19 Pubkey
  36. #[serde(skip_serializing_if = "Option::is_none")]
  37. pub pubkey: Option<PublicKey>,
  38. }
  39. /// Possible states of a quote
  40. #[derive(Debug, Clone, Copy, Hash, PartialEq, Eq, Default, Serialize, Deserialize)]
  41. #[serde(rename_all = "UPPERCASE")]
  42. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema), schema(as = MintQuoteState))]
  43. pub enum QuoteState {
  44. /// Quote has not been paid
  45. #[default]
  46. Unpaid,
  47. /// Quote has been paid and wallet can mint
  48. Paid,
  49. /// Minting is in progress
  50. /// **Note:** This state is to be used internally but is not part of the
  51. /// nut.
  52. Pending,
  53. /// ecash issued for quote
  54. Issued,
  55. }
  56. impl fmt::Display for QuoteState {
  57. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  58. match self {
  59. Self::Unpaid => write!(f, "UNPAID"),
  60. Self::Paid => write!(f, "PAID"),
  61. Self::Pending => write!(f, "PENDING"),
  62. Self::Issued => write!(f, "ISSUED"),
  63. }
  64. }
  65. }
  66. impl FromStr for QuoteState {
  67. type Err = Error;
  68. fn from_str(state: &str) -> Result<Self, Self::Err> {
  69. match state {
  70. "PENDING" => Ok(Self::Pending),
  71. "PAID" => Ok(Self::Paid),
  72. "UNPAID" => Ok(Self::Unpaid),
  73. "ISSUED" => Ok(Self::Issued),
  74. _ => Err(Error::UnknownState),
  75. }
  76. }
  77. }
  78. /// Mint quote response [NUT-04]
  79. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  80. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  81. #[serde(bound = "Q: Serialize + DeserializeOwned")]
  82. pub struct MintQuoteBolt11Response<Q> {
  83. /// Quote Id
  84. pub quote: Q,
  85. /// Payment request to fulfil
  86. pub request: String,
  87. /// Quote State
  88. pub state: MintQuoteState,
  89. /// Unix timestamp until the quote is valid
  90. pub expiry: Option<u64>,
  91. /// NUT-19 Pubkey
  92. #[serde(skip_serializing_if = "Option::is_none")]
  93. pub pubkey: Option<PublicKey>,
  94. }
  95. impl<Q: ToString> MintQuoteBolt11Response<Q> {
  96. /// Convert the MintQuote with a quote type Q to a String
  97. pub fn to_string_id(&self) -> MintQuoteBolt11Response<String> {
  98. MintQuoteBolt11Response {
  99. quote: self.quote.to_string(),
  100. request: self.request.clone(),
  101. state: self.state,
  102. expiry: self.expiry,
  103. pubkey: self.pubkey,
  104. }
  105. }
  106. }
  107. #[cfg(feature = "mint")]
  108. impl From<MintQuoteBolt11Response<Uuid>> for MintQuoteBolt11Response<String> {
  109. fn from(value: MintQuoteBolt11Response<Uuid>) -> Self {
  110. Self {
  111. quote: value.quote.to_string(),
  112. request: value.request,
  113. state: value.state,
  114. expiry: value.expiry,
  115. pubkey: value.pubkey,
  116. }
  117. }
  118. }
  119. #[cfg(feature = "mint")]
  120. impl From<crate::mint::MintQuote> for MintQuoteBolt11Response<Uuid> {
  121. fn from(mint_quote: crate::mint::MintQuote) -> MintQuoteBolt11Response<Uuid> {
  122. MintQuoteBolt11Response {
  123. quote: mint_quote.id,
  124. request: mint_quote.request,
  125. state: mint_quote.state,
  126. expiry: Some(mint_quote.expiry),
  127. pubkey: mint_quote.pubkey,
  128. }
  129. }
  130. }
  131. /// Mint request [NUT-04]
  132. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  133. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  134. #[serde(bound = "Q: Serialize + DeserializeOwned")]
  135. pub struct MintBolt11Request<Q> {
  136. /// Quote id
  137. #[cfg_attr(feature = "swagger", schema(max_length = 1_000))]
  138. pub quote: Q,
  139. /// Outputs
  140. #[cfg_attr(feature = "swagger", schema(max_items = 1_000))]
  141. pub outputs: Vec<BlindedMessage>,
  142. /// Signature
  143. #[serde(skip_serializing_if = "Option::is_none")]
  144. pub signature: Option<String>,
  145. }
  146. #[cfg(feature = "mint")]
  147. impl TryFrom<MintBolt11Request<String>> for MintBolt11Request<Uuid> {
  148. type Error = uuid::Error;
  149. fn try_from(value: MintBolt11Request<String>) -> Result<Self, Self::Error> {
  150. Ok(Self {
  151. quote: Uuid::from_str(&value.quote)?,
  152. outputs: value.outputs,
  153. signature: value.signature,
  154. })
  155. }
  156. }
  157. impl<Q> MintBolt11Request<Q> {
  158. /// Total [`Amount`] of outputs
  159. pub fn total_amount(&self) -> Result<Amount, Error> {
  160. Amount::try_sum(
  161. self.outputs
  162. .iter()
  163. .map(|BlindedMessage { amount, .. }| *amount),
  164. )
  165. .map_err(|_| Error::AmountOverflow)
  166. }
  167. }
  168. /// Mint response [NUT-04]
  169. #[derive(Debug, Clone, PartialEq, Eq, Serialize, Deserialize)]
  170. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  171. pub struct MintBolt11Response {
  172. /// Blinded Signatures
  173. pub signatures: Vec<BlindSignature>,
  174. }
  175. /// Mint Method Settings
  176. #[derive(Debug, Default, Clone, PartialEq, Eq, Hash, Serialize, Deserialize)]
  177. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema))]
  178. pub struct MintMethodSettings {
  179. /// Payment Method e.g. bolt11
  180. pub method: PaymentMethod,
  181. /// Currency Unit e.g. sat
  182. pub unit: CurrencyUnit,
  183. /// Min Amount
  184. #[serde(skip_serializing_if = "Option::is_none")]
  185. pub min_amount: Option<Amount>,
  186. /// Max Amount
  187. #[serde(skip_serializing_if = "Option::is_none")]
  188. pub max_amount: Option<Amount>,
  189. /// Quote Description
  190. #[serde(default)]
  191. pub description: bool,
  192. }
  193. /// Mint Settings
  194. #[derive(Debug, Clone, PartialEq, Eq, Hash, Serialize, Deserialize, Default)]
  195. #[cfg_attr(feature = "swagger", derive(utoipa::ToSchema), schema(as = nut04::Settings))]
  196. pub struct Settings {
  197. /// Methods to mint
  198. pub methods: Vec<MintMethodSettings>,
  199. /// Minting disabled
  200. pub disabled: bool,
  201. }
  202. impl Settings {
  203. /// Create new [`Settings`]
  204. pub fn new(methods: Vec<MintMethodSettings>, disabled: bool) -> Self {
  205. Self { methods, disabled }
  206. }
  207. /// Get [`MintMethodSettings`] for unit method pair
  208. pub fn get_settings(
  209. &self,
  210. unit: &CurrencyUnit,
  211. method: &PaymentMethod,
  212. ) -> Option<MintMethodSettings> {
  213. for method_settings in self.methods.iter() {
  214. if method_settings.method.eq(method) && method_settings.unit.eq(unit) {
  215. return Some(method_settings.clone());
  216. }
  217. }
  218. None
  219. }
  220. /// Remove [`MintMethodSettings`] for unit method pair
  221. pub fn remove_settings(
  222. &mut self,
  223. unit: &CurrencyUnit,
  224. method: &PaymentMethod,
  225. ) -> Option<MintMethodSettings> {
  226. self.methods
  227. .iter()
  228. .position(|settings| &settings.method == method && &settings.unit == unit)
  229. .map(|index| self.methods.remove(index))
  230. }
  231. }