inner.rs 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483
  1. use crate::{
  2. amount::AmountCents,
  3. config::Config,
  4. payment::PaymentTo,
  5. storage::{self, Batch, Storage},
  6. transaction::*,
  7. AccountId, Amount, Asset, PaymentFrom, Status, TransactionId,
  8. };
  9. use chrono::{serde::ts_milliseconds, DateTime, Utc};
  10. use serde::{Deserialize, Serialize};
  11. use sha2::{Digest, Sha256};
  12. use std::collections::HashMap;
  13. /// Transaction Inner
  14. ///
  15. /// This is the transaction details, as described bellow, it is a Transaction but without the ID nor
  16. /// the revision ID.
  17. ///
  18. /// This seperated struct is used to calculate the ID of the transaction, and to be able to
  19. /// serialize the transaction without the ID.
  20. ///
  21. /// Since the transaction ID is calculated from the transaction itself, to provide cryptographic
  22. /// security that its content was not altered.
  23. #[derive(Debug, Clone, Deserialize, Serialize)]
  24. pub struct TransactionInner {
  25. /// A pointer to the first revision of the transaction.
  26. first_revision: Option<TransactionId>,
  27. /// Any previous transaction that this transaction is replacing.
  28. previous: Option<TransactionId>,
  29. /// A human-readable description of the transaction changes.
  30. changelog: String,
  31. spends: Vec<PaymentFrom>,
  32. creates: Vec<PaymentTo>,
  33. #[allow(dead_code)]
  34. reference: String,
  35. #[serde(rename = "type")]
  36. typ: Type,
  37. status: Status,
  38. tags: Vec<String>,
  39. #[serde(with = "ts_milliseconds")]
  40. created_at: DateTime<Utc>,
  41. #[serde(with = "ts_milliseconds")]
  42. updated_at: DateTime<Utc>,
  43. }
  44. impl TransactionInner {
  45. pub fn calculate_id(&self) -> Result<TransactionId, Error> {
  46. let mut hasher = Sha256::new();
  47. let bytes = bincode::serialize(self)?;
  48. hasher.update(bytes);
  49. Ok(TransactionId::new(hasher.finalize().into()))
  50. }
  51. /// The transaction fingerprint is a hash of the properties that are not allowed to be updated
  52. /// in a transaction.
  53. pub fn transaction_fingerprint(&self) -> Result<TransactionId, Error> {
  54. let mut hasher = Sha256::new();
  55. hasher.update(&bincode::serialize(&self.spends)?);
  56. hasher.update(&bincode::serialize(&self.creates)?);
  57. hasher.update(&self.typ.to_string());
  58. hasher.update(&self.reference);
  59. hasher.update(&self.created_at.timestamp_millis().to_string());
  60. Ok(TransactionId::new(hasher.finalize().into()))
  61. }
  62. /// Validates the transaction input and output (debit and credit)
  63. ///
  64. /// The total sum of debits and credits should always be zero in transactions, unless they are
  65. /// deposits or withdrawals.
  66. ///
  67. /// Negative amounts can be used in transactions, but the total sum of debits and credits should
  68. /// always be zero, and the debit amount should be positive numbers
  69. pub fn validate(&self) -> Result<(), Error> {
  70. let mut debit = HashMap::<Asset, AmountCents>::new();
  71. let mut credit = HashMap::<Asset, AmountCents>::new();
  72. for input in self.spends.iter() {
  73. if let Some(value) = debit.get_mut(input.amount.asset()) {
  74. *value = input
  75. .amount
  76. .cents()
  77. .checked_add(*value)
  78. .ok_or(Error::Overflow)?;
  79. } else {
  80. debit.insert(input.amount.asset().clone(), input.amount.cents());
  81. }
  82. }
  83. for (asset, amount) in debit.iter() {
  84. if *amount <= 0 {
  85. return Err(Error::InvalidAmount(
  86. asset.new_amount(*amount),
  87. asset.new_amount(*amount),
  88. ));
  89. }
  90. }
  91. if !self.typ.is_transaction() {
  92. // We don't care input/output balance in external operations
  93. // (withdrawals/deposits), because these operations are inbalanced
  94. return Ok(());
  95. }
  96. for output in self.creates.iter() {
  97. if let Some(value) = credit.get_mut(output.amount.asset()) {
  98. *value = output
  99. .amount
  100. .cents()
  101. .checked_add(*value)
  102. .ok_or(Error::Overflow)?;
  103. } else {
  104. credit.insert(output.amount.asset().clone(), output.amount.cents());
  105. }
  106. }
  107. for (asset, credit_amount) in credit.into_iter() {
  108. if let Some(debit_amount) = debit.remove(&asset) {
  109. if debit_amount != credit_amount {
  110. return Err(Error::InvalidAmount(
  111. asset.new_amount(debit_amount),
  112. asset.new_amount(credit_amount),
  113. ));
  114. }
  115. } else {
  116. return Err(Error::MissingSpendingAsset(asset));
  117. }
  118. }
  119. if let Some((asset, _)) = debit.into_iter().next() {
  120. return Err(Error::MissingPaymentAsset(asset));
  121. }
  122. Ok(())
  123. }
  124. }
  125. /// Transactions
  126. ///
  127. /// A transaction is a set of payments being spent, to create a new set of payments. Payments can be
  128. /// spent only once. This simple model is inspired by Bitcoin's Unspent Transaction output model. In
  129. /// every transaction, the sum of the spends must equal the sum of the creates. Any difference will
  130. /// result in an error.
  131. ///
  132. /// Every payment has a target account and the amount and asset.
  133. ///
  134. /// Transactions are immutable, but since this is an append-only database, a newer version of the
  135. /// transaction can replace a previous version, as long as the transaction is not finalized.
  136. /// Previous transaction versions are kept forever and never pruned. The spend and create fields are
  137. /// not updatable, and the state of the transaction has a transition rule that will be enforced in
  138. /// each update. Furthermore, all new revisions must have a description of their update, inspired by
  139. /// a git commit message.
  140. ///
  141. /// A Finalized transaction will either be settled (i.e. spendable) or reverted, in which case it is
  142. /// void but it is kept for historical reasons.
  143. ///
  144. /// Although there is no concept of balances or accounts at this layer, the balance associated with
  145. /// an account is a sum of all received payments that were not spent.
  146. ///
  147. /// The transaction ID, and the revision ID, are the cryptographic hash of the transactions
  148. #[derive(Debug, Clone, Serialize)]
  149. pub struct Transaction {
  150. /// The TransactionID is the RevisionID of the first revision of the transaction.
  151. pub id: TransactionId,
  152. /// Current Revision ID.
  153. pub revision: TransactionId,
  154. /// The transaction inner details
  155. #[serde(flatten)]
  156. inner: TransactionInner,
  157. }
  158. impl TryFrom<TransactionInner> for Transaction {
  159. type Error = Error;
  160. fn try_from(inner: TransactionInner) -> Result<Self, Self::Error> {
  161. let id = inner.calculate_id()?;
  162. Ok(Transaction {
  163. id: inner.first_revision.clone().unwrap_or_else(|| id.clone()),
  164. revision: id,
  165. inner,
  166. })
  167. }
  168. }
  169. impl Transaction {
  170. /// Creates a new external deposit transaction
  171. ///
  172. /// All transactions must be balanced, same amounts that are spent should be
  173. /// created. There are two exceptions, external deposits and withdrawals.
  174. /// The idea is to mimic external operations, where new assets enter the system.
  175. pub fn new_external_deposit(
  176. reference: String,
  177. status: Status,
  178. pay_to: Vec<(AccountId, Amount)>,
  179. ) -> Result<Transaction, Error> {
  180. TransactionInner {
  181. first_revision: None,
  182. changelog: "".to_owned(),
  183. previous: None,
  184. spends: vec![],
  185. creates: pay_to
  186. .into_iter()
  187. .map(|(to, amount)| PaymentTo { to, amount })
  188. .collect(),
  189. reference,
  190. typ: Type::Deposit,
  191. tags: Vec::new(),
  192. status,
  193. created_at: Utc::now(),
  194. updated_at: Utc::now(),
  195. }
  196. .try_into()
  197. }
  198. /// Returns a unique list of accounts involved in this transaction.
  199. ///
  200. /// Accounts are sorted and unique, and they include the accounts that spent and that receives
  201. pub fn accounts(&self) -> Vec<AccountId> {
  202. let mut accounts = self
  203. .inner
  204. .creates
  205. .iter()
  206. .map(|x| x.to.clone())
  207. .collect::<Vec<_>>();
  208. accounts.extend(
  209. self.inner
  210. .spends
  211. .iter()
  212. .map(|x| x.from.clone())
  213. .collect::<Vec<_>>(),
  214. );
  215. accounts.sort();
  216. accounts.dedup();
  217. accounts
  218. }
  219. /// Creates a new external withdrawal transaction
  220. ///
  221. /// Burns assets to reflect external withdrawals
  222. pub fn new_external_withdrawal(
  223. reference: String,
  224. status: Status,
  225. spend: Vec<PaymentFrom>,
  226. ) -> Result<Transaction, Error> {
  227. TransactionInner {
  228. first_revision: None,
  229. changelog: "".to_owned(),
  230. previous: None,
  231. spends: spend,
  232. creates: vec![],
  233. reference,
  234. typ: Type::Withdrawal,
  235. tags: Vec::new(),
  236. status,
  237. created_at: Utc::now(),
  238. updated_at: Utc::now(),
  239. }
  240. .try_into()
  241. }
  242. /// Gets the inner transaction
  243. pub fn inner(&self) -> &TransactionInner {
  244. &self.inner
  245. }
  246. /// Creates a new transaction
  247. pub async fn new(
  248. reference: String,
  249. status: Status,
  250. typ: Type,
  251. spends: Vec<PaymentFrom>,
  252. pay_to: Vec<(AccountId, Amount)>,
  253. ) -> Result<Transaction, Error> {
  254. // for (i, input) in spends.iter().enumerate() {
  255. // if !input.is_spendable_or_was_by(&id) {
  256. // return Err(Error::InvalidPaymentStatus(i, input.status.clone()));
  257. // }
  258. // }
  259. let create = pay_to
  260. .into_iter()
  261. .map(|(to, amount)| PaymentTo { to, amount })
  262. .collect();
  263. TransactionInner {
  264. first_revision: None,
  265. changelog: "".to_owned(),
  266. previous: None,
  267. spends,
  268. creates: create,
  269. reference,
  270. typ,
  271. tags: Vec::new(),
  272. status,
  273. created_at: Utc::now(),
  274. updated_at: Utc::now(),
  275. }
  276. .try_into()
  277. }
  278. /// Prepares a transaction ammend to update its status.
  279. ///
  280. /// If the status transaction is not allowed, it will return an error.
  281. ///
  282. /// The returned transaction is the newest version which is already persisted. The previous
  283. /// version is not longer in memory
  284. #[inline]
  285. pub async fn change_status<S>(
  286. self,
  287. config: &Config<S>,
  288. new_status: Status,
  289. reason: String,
  290. ) -> Result<Self, Error>
  291. where
  292. S: Storage + Sync + Send,
  293. {
  294. config
  295. .status
  296. .is_valid_transition(&self.inner.status, &new_status)?;
  297. let mut inner = self.inner;
  298. inner.changelog = reason;
  299. if inner.first_revision.is_none() {
  300. inner.first_revision = Some(self.id);
  301. }
  302. inner.updated_at = Utc::now();
  303. inner.previous = Some(self.revision);
  304. inner.status = new_status;
  305. let mut x: Transaction = inner.try_into()?;
  306. x.persist(config).await?;
  307. Ok(x)
  308. }
  309. /// Validates the transaction before storing
  310. pub(crate) fn validate(&self) -> Result<(), Error> {
  311. let calculated_revision_id = self.inner.calculate_id()?;
  312. if self.revision != calculated_revision_id
  313. || (self.inner.previous.is_none() && self.id != calculated_revision_id)
  314. {
  315. return Err(Error::InvalidTransactionId(
  316. self.id.clone(),
  317. calculated_revision_id,
  318. ));
  319. }
  320. self.inner.validate()
  321. }
  322. /// Returns the list of payments that were used to create this transaction
  323. pub fn spends(&self) -> &[PaymentFrom] {
  324. &self.inner.spends
  325. }
  326. /// Returns the list of payments that were created by this transaction
  327. pub fn creates(&self) -> &[PaymentTo] {
  328. &self.inner.creates
  329. }
  330. /// Returns the transaction ID
  331. pub fn id(&self) -> &TransactionId {
  332. &self.id
  333. }
  334. /// Returns the transaction status
  335. pub fn status(&self) -> &Status {
  336. &self.inner.status
  337. }
  338. /// Returns the transaction type
  339. pub fn typ(&self) -> Type {
  340. self.inner.typ
  341. }
  342. /// Returns the reference of this transaction
  343. pub fn reference(&self) -> &str {
  344. &self.inner.reference
  345. }
  346. /// Returns the time when this transaction was created
  347. pub fn created_at(&self) -> DateTime<Utc> {
  348. self.inner.created_at
  349. }
  350. /// Returns the time when this transaction was last updated
  351. pub fn updated_at(&self) -> DateTime<Utc> {
  352. self.inner.updated_at
  353. }
  354. /// Persists the changes done to this transaction object.
  355. /// This method is not idempotent, and it will fail if the transaction if the requested update
  356. /// is not allowed.
  357. pub async fn persist<'a, S>(&mut self, config: &'a Config<S>) -> Result<(), Error>
  358. where
  359. S: Storage + Sync + Send,
  360. {
  361. self.validate()?;
  362. let mut batch = config.storage.begin().await?;
  363. if let Some(previous_id) = &self.inner.previous {
  364. // Make sure this update is updating the last revision and the status is not final
  365. let current_transaction = batch.get_transaction(&self.id).await?;
  366. if current_transaction.revision != *previous_id
  367. || config.status.is_final(&current_transaction.inner.status)
  368. || self.inner.transaction_fingerprint()?
  369. != current_transaction.inner.transaction_fingerprint()?
  370. {
  371. return Err(Error::TransactionUpdatesNotAllowed);
  372. }
  373. // Updates all the spends to reflect the new status.
  374. let (updated_created, updated_spent) = if config.status.is_reverted(&self.inner.status)
  375. {
  376. // Release all the previously spent payments since the whole transaction is being
  377. // reverted due a failure or cancellation.
  378. batch
  379. .update_transaction_payments(
  380. &self.id,
  381. storage::Status::Failed,
  382. storage::Status::Spendable,
  383. )
  384. .await?
  385. } else if config.status.is_spendable(&self.inner.status) {
  386. // Spend all the payments that were used to create this transaction
  387. batch
  388. .update_transaction_payments(
  389. &self.id,
  390. storage::Status::Spendable,
  391. storage::Status::Spent,
  392. )
  393. .await?
  394. } else {
  395. // Lock both the spent transaction and the created transaction, since this
  396. // transaction is still not finalized
  397. batch
  398. .update_transaction_payments(
  399. &self.id,
  400. storage::Status::Locked,
  401. storage::Status::Locked,
  402. )
  403. .await?
  404. };
  405. if updated_created != self.inner.creates.len()
  406. || updated_spent != self.inner.spends.len()
  407. {
  408. return Err(Error::NoUpdate);
  409. }
  410. } else {
  411. let spends = self
  412. .inner
  413. .spends
  414. .iter()
  415. .map(|x| x.id.clone())
  416. .collect::<Vec<_>>();
  417. let (spent_payment_status, creates_payment_status) =
  418. if config.status.is_spendable(&self.inner.status) {
  419. (storage::Status::Spent, storage::Status::Spendable)
  420. } else {
  421. (storage::Status::Locked, storage::Status::Locked)
  422. };
  423. batch
  424. .spend_payments(&self.id, spends, spent_payment_status)
  425. .await?;
  426. batch
  427. .create_payments(&self.id, &self.inner.creates, creates_payment_status)
  428. .await?;
  429. for account in self.accounts() {
  430. batch
  431. .relate_account_to_transaction(&self.id, &account, self.typ())
  432. .await?;
  433. }
  434. }
  435. batch.store_transaction(self).await?;
  436. //batch.tag_transaction(self, &self.inner.tags).await?;
  437. batch.commit().await?;
  438. Ok(())
  439. }
  440. }