ledger.rs 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287
  1. use crate::{
  2. config::Config, storage::Storage, transaction::Type, AccountId, Amount, Error, PaymentFrom,
  3. PaymentId, Status, Transaction, TransactionId,
  4. };
  5. use std::{cmp::Ordering, collections::HashMap, sync::Arc};
  6. /// The Verax ledger
  7. #[derive(Clone, Debug)]
  8. pub struct Ledger<S>
  9. where
  10. S: Storage + Sync + Send,
  11. {
  12. config: Arc<Config<S>>,
  13. }
  14. impl<S> Ledger<S>
  15. where
  16. S: Storage + Sync + Send,
  17. {
  18. /// Creates a new ledger instance
  19. pub fn new(config: Config<S>) -> Self {
  20. Self {
  21. config: Arc::new(config),
  22. }
  23. }
  24. /// The internal usage is to select unspent payments for each account to
  25. /// create new transactions. The external API however does not expose that
  26. /// level of usage, instead it exposes a simple API to move funds using
  27. /// accounts to debit from and accounts to credit to. A single transaction
  28. /// can use multiple accounts to debit and credit, instead of a single
  29. /// account.
  30. ///
  31. /// This function selects the unspent payments to be used in a transaction,
  32. /// in a descending order (making sure to include any negative deposit).
  33. ///
  34. /// This function returns a vector of payments to be used as inputs and
  35. /// optionally a dependent transaction to be executed first. This
  36. /// transaction is an internal transaction and it settles immediately. It is
  37. /// used to split an existing payment into two payments, one to be used as
  38. /// input and the other to be used as change. This is done to avoid locking
  39. /// any change amount until the main transaction settles.
  40. async fn select_payments_from_accounts(
  41. &self,
  42. payments: Vec<(AccountId, Amount)>,
  43. ) -> Result<(Option<Transaction>, Vec<PaymentFrom>), Error> {
  44. let mut to_spend = HashMap::new();
  45. for (account_id, amount) in payments.into_iter() {
  46. let id = (account_id, amount.asset().clone());
  47. if let Some(value) = to_spend.get_mut(&id) {
  48. *value += amount.cents();
  49. } else {
  50. to_spend.insert(id, amount.cents());
  51. }
  52. }
  53. let mut change_input = vec![];
  54. let mut change_output = vec![];
  55. let mut payments: Vec<PaymentFrom> = vec![];
  56. for ((account, asset), mut to_spend_cents) in to_spend.into_iter() {
  57. let iterator = self
  58. .config
  59. .storage
  60. .get_unspent_payments(&account, &asset, to_spend_cents)
  61. .await?;
  62. for payment in iterator.into_iter() {
  63. let cents = payment.amount.cents();
  64. to_spend_cents -= cents;
  65. payments.push(payment);
  66. match to_spend_cents.cmp(&0) {
  67. Ordering::Equal => {
  68. // No change amount, we are done with this input
  69. break;
  70. }
  71. Ordering::Less => {
  72. // There is a change amount, we need to split the last
  73. // input into two payment_ids into the same accounts in
  74. // a transaction that will settle immediately, otherwise
  75. // the change amount will be unspendable until this
  76. // transaction settles. By doing so the current
  77. // operation will have no change and it can safely take
  78. // its time to settle without making any change amount
  79. // unspendable.
  80. let to_spend_cents = to_spend_cents.abs();
  81. let input = payments
  82. .pop()
  83. .ok_or(Error::InsufficientBalance(account.clone(), asset.clone()))?;
  84. change_input.push(input);
  85. change_output
  86. .push((account.clone(), asset.new_amount(cents - to_spend_cents)));
  87. change_output.push((account.clone(), asset.new_amount(to_spend_cents)));
  88. // Go to the next payment
  89. break;
  90. }
  91. _ => {
  92. // We need more funds, continue to the selecting the
  93. // available payment if any
  94. }
  95. }
  96. }
  97. if to_spend_cents > 0 {
  98. // We don't have enough payment to cover the to_spend_cents
  99. // Return an insufficient balance error
  100. return Err(Error::InsufficientBalance(account, asset.clone()));
  101. }
  102. }
  103. let exchange_tx = if change_input.is_empty() {
  104. None
  105. } else {
  106. let total = change_input.len() as u16;
  107. let split_input = Transaction::new(
  108. "Exchange transaction".to_owned(),
  109. // Set the change transaction as settled. This is an
  110. // internal transaction to split existing payments
  111. // into exact new payments, so the main transaction has no
  112. // change.
  113. self.config.status.default_spendable(),
  114. Type::Exchange,
  115. change_input,
  116. change_output,
  117. )
  118. .await?;
  119. let creates = split_input.creates();
  120. for i in 0..total {
  121. // Spend the new payment
  122. payments.push(PaymentFrom {
  123. id: PaymentId {
  124. transaction: split_input.id.clone(),
  125. position: i * 2,
  126. },
  127. from: creates[(i * 2) as usize].to.clone(),
  128. amount: creates[(i * 2) as usize].amount.clone(),
  129. });
  130. }
  131. Some(split_input)
  132. };
  133. Ok((exchange_tx, payments))
  134. }
  135. /// Creates a new transaction and returns it.
  136. ///
  137. /// The input is pretty simple, take this amounts from these given accounts
  138. /// and send them to these accounts (and amounts). The job of this function
  139. /// is to figure it out how to do it. This function will make sure that each
  140. /// account has enough balance, selecting the unspent payments from each
  141. /// account that will be spent. It will also return a list of transactions
  142. /// that will be used to return the change to the accounts, these accounts
  143. /// can be settled immediately so no other funds required to perform the
  144. /// transaction are locked.
  145. ///
  146. /// This functions performs read only operations on top of the storage layer
  147. /// and it will guarantee execution (meaning that it will not lock any
  148. /// funds, so these transactions may fail if any selected payment is spent
  149. /// between the time the transaction is created and executed).
  150. ///
  151. /// A NewTransaction struct is returned, the change_transactions should be
  152. /// executed and set as settled before the transaction is executed,
  153. /// otherwise it will fail. A failure in any execution will render the
  154. /// entire operation as failed but no funds will be locked.
  155. pub async fn new_transaction(
  156. &self,
  157. reference: String,
  158. status: Status,
  159. from: Vec<(AccountId, Amount)>,
  160. to: Vec<(AccountId, Amount)>,
  161. ) -> Result<Transaction, Error> {
  162. let (change_transaction, payments) = self.select_payments_from_accounts(from).await?;
  163. if let Some(mut change_tx) = change_transaction {
  164. change_tx.persist(&self.config).await?;
  165. }
  166. let mut transaction =
  167. Transaction::new(reference, status, Type::Transaction, payments, to).await?;
  168. transaction.persist(&self.config).await?;
  169. Ok(transaction)
  170. }
  171. /// Return the balances from a given account
  172. ///
  173. /// The balance is a vector of Amounts, one for each asset. The balance will
  174. /// return only spendable amounts, meaning that any amount that is locked in
  175. /// a transaction will not be returned.
  176. ///
  177. /// TODO: Return locked funds as well.
  178. pub async fn get_balance(&self, account: &AccountId) -> Result<Vec<Amount>, Error> {
  179. Ok(self.config.storage.get_balance(account).await?)
  180. }
  181. /// Creates an external deposit
  182. ///
  183. /// Although a deposit can have multiple output payments, to different
  184. /// accounts and amounts, to keep the upstream API simple, this function
  185. /// only accepts a single account and amount to credit
  186. pub async fn deposit(
  187. &self,
  188. account: &AccountId,
  189. amount: Amount,
  190. status: Status,
  191. reference: String,
  192. ) -> Result<Transaction, Error> {
  193. let mut transaction =
  194. Transaction::new_external_deposit(reference, status, vec![(account.clone(), amount)])?;
  195. transaction.persist(&self.config).await?;
  196. Ok(transaction)
  197. }
  198. /// Creates a new withdrawal transaction and returns it.
  199. ///
  200. /// Although a transaction supports multiple inputs to be burned, from
  201. /// different accounts, to keep things simple, this function only supports a
  202. /// single input (single account and single amount). This is because the
  203. /// natural behaviour is to have withdrawals from a single account.
  204. pub async fn withdrawal(
  205. &self,
  206. account: &AccountId,
  207. amount: Amount,
  208. status: Status,
  209. reference: String,
  210. ) -> Result<Transaction, Error> {
  211. let (change_transactions, payments) = self
  212. .select_payments_from_accounts(vec![(account.clone(), amount)])
  213. .await?;
  214. for mut change_tx in change_transactions.into_iter() {
  215. change_tx.persist(&self.config).await?;
  216. }
  217. let mut transaction = Transaction::new_external_withdrawal(reference, status, payments)?;
  218. transaction.persist(&self.config).await?;
  219. Ok(transaction)
  220. }
  221. /// Returns the payment object by a given payment id
  222. pub async fn get_payment_info(&self, _payment_id: &PaymentId) -> Result<PaymentFrom, Error> {
  223. todo!()
  224. }
  225. /// Returns the transaction object by a given transaction id
  226. pub async fn get_transaction(
  227. &self,
  228. transaction_id: &TransactionId,
  229. ) -> Result<Transaction, Error> {
  230. Ok(self.config.storage.get_transaction(transaction_id).await?)
  231. }
  232. /// Returns all transactions from a given account. It can be optionally be
  233. /// sorted by transaction type. The transactions are sorted from newest to
  234. /// oldest.
  235. pub async fn get_transactions(
  236. &self,
  237. account_id: &AccountId,
  238. types: Vec<Type>,
  239. ) -> Result<Vec<Transaction>, Error> {
  240. let types = if types.is_empty() {
  241. vec![Type::Transaction, Type::Deposit, Type::Withdrawal]
  242. } else {
  243. types
  244. };
  245. Ok(self
  246. .config
  247. .storage
  248. .get_transactions(account_id, &types, &[])
  249. .await?)
  250. }
  251. /// Attempts to change the status of a given transaction id. On success the
  252. /// new transaction object is returned, otherwise an error is returned.
  253. pub async fn change_status(
  254. &self,
  255. transaction_id: &TransactionId,
  256. new_status: Status,
  257. reason: String,
  258. ) -> Result<Transaction, Error> {
  259. Ok(self
  260. .config
  261. .storage
  262. .get_transaction(transaction_id)
  263. .await?
  264. .change_status(&self.config, new_status, reason)
  265. .await?)
  266. }
  267. }